commit 4ebd90cc64ba48a4780c24d1abdf892a190e509b Author: Jeff Emmett Date: Fri Jan 23 13:53:29 2026 +0100 Initial commit: P2P Wiki AI system - RAG-based chat with 39k wiki articles (232k chunks) - Article ingress pipeline for processing external URLs - Review queue for AI-generated content - FastAPI backend with web UI - Traefik-ready Docker setup for p2pwiki.jeffemmett.com Co-Authored-By: Claude Opus 4.5 diff --git a/.env.example b/.env.example new file mode 100644 index 0000000..c6ba682 --- /dev/null +++ b/.env.example @@ -0,0 +1,17 @@ +# P2P Wiki AI Configuration + +# Ollama (Local LLM) +OLLAMA_BASE_URL=http://localhost:11434 +OLLAMA_MODEL=llama3.2 + +# Claude API (Optional - for higher quality article drafts) +ANTHROPIC_API_KEY= +CLAUDE_MODEL=claude-sonnet-4-20250514 + +# Hybrid Routing +USE_CLAUDE_FOR_DRAFTS=true +USE_OLLAMA_FOR_CHAT=true + +# Server +HOST=0.0.0.0 +PORT=8420 diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..cc5a386 --- /dev/null +++ b/.gitignore @@ -0,0 +1,28 @@ +# Virtual environment +.venv/ +venv/ +env/ + +# Python +__pycache__/ +*.py[cod] +*.egg-info/ +dist/ +build/ + +# Data files (too large for git) +data/articles.json +data/chroma/ +data/review_queue/ +xmldump/ +xmldump-2014.tar.gz +articles/ +articles.tar.gz + +# Environment +.env + +# IDE +.idea/ +.vscode/ +*.swp diff --git a/Dockerfile b/Dockerfile new file mode 100644 index 0000000..e4e26f5 --- /dev/null +++ b/Dockerfile @@ -0,0 +1,49 @@ +# P2P Wiki AI - Multi-stage build +FROM python:3.11-slim as builder + +WORKDIR /app + +# Install build dependencies +RUN apt-get update && apt-get install -y --no-install-recommends \ + build-essential \ + && rm -rf /var/lib/apt/lists/* + +# Install Python dependencies +COPY pyproject.toml . +RUN pip install --no-cache-dir build && \ + pip wheel --no-cache-dir --wheel-dir /wheels . + +# Production image +FROM python:3.11-slim + +WORKDIR /app + +# Install runtime dependencies +RUN apt-get update && apt-get install -y --no-install-recommends \ + libxml2 \ + && rm -rf /var/lib/apt/lists/* + +# Copy wheels and install +COPY --from=builder /wheels /wheels +RUN pip install --no-cache-dir /wheels/*.whl && rm -rf /wheels + +# Copy application code +COPY src/ src/ +COPY web/ web/ + +# Create data directories +RUN mkdir -p data/chroma data/review_queue + +# Environment variables +ENV PYTHONUNBUFFERED=1 +ENV PYTHONDONTWRITEBYTECODE=1 + +# Expose port +EXPOSE 8420 + +# Health check +HEALTHCHECK --interval=30s --timeout=10s --start-period=5s --retries=3 \ + CMD python -c "import httpx; httpx.get('http://localhost:8420/health')" || exit 1 + +# Run the application +CMD ["python", "-m", "uvicorn", "src.api:app", "--host", "0.0.0.0", "--port", "8420"] diff --git a/README.md b/README.md new file mode 100644 index 0000000..de1046a --- /dev/null +++ b/README.md @@ -0,0 +1,199 @@ +# P2P Wiki AI + +AI-augmented system for the P2P Foundation Wiki with two main features: + +1. **Conversational Agent** - Ask questions about the 23,000+ wiki articles using RAG (Retrieval Augmented Generation) +2. **Article Ingress Pipeline** - Drop article URLs to automatically analyze content, find matching wiki articles for citations, and generate draft articles + +## Architecture + +``` +┌─────────────────────────────────────────────────────────────────┐ +│ P2P Wiki AI System │ +├─────────────────────────────────────────────────────────────────┤ +│ │ +│ ┌─────────────────┐ ┌─────────────────┐ │ +│ │ Chat (Q&A) │ │ Ingress Tool │ │ +│ │ via RAG │ │ (URL Drop) │ │ +│ └────────┬────────┘ └────────┬────────┘ │ +│ │ │ │ +│ └───────────┬───────────┘ │ +│ ▼ │ +│ ┌───────────────────────┐ │ +│ │ FastAPI Backend │ │ +│ └───────────┬───────────┘ │ +│ │ │ +│ ┌──────────────┼──────────────┐ │ +│ ▼ ▼ ▼ │ +│ ┌──────────┐ ┌─────────────┐ ┌──────────────┐ │ +│ │ ChromaDB │ │ Ollama/ │ │ Article │ │ +│ │ (Vector) │ │ Claude │ │ Scraper │ │ +│ └──────────┘ └─────────────┘ └──────────────┘ │ +│ │ +└─────────────────────────────────────────────────────────────────┘ +``` + +## Quick Start + +### 1. Prerequisites + +- Python 3.10+ +- [Ollama](https://ollama.ai) installed locally (or access to a remote Ollama server) +- Optional: Anthropic API key for Claude (higher quality article drafts) + +### 2. Install Dependencies + +```bash +cd /home/jeffe/Github/p2pwiki-content +pip install -e . +``` + +### 3. Parse Wiki Content + +Convert the MediaWiki XML dumps to searchable JSON: + +```bash +python -m src.parser +``` + +This creates `data/articles.json` with all parsed articles (~23,000 pages). + +### 4. Generate Embeddings + +Create the vector store for semantic search: + +```bash +python -m src.embeddings +``` + +This creates the ChromaDB vector store in `data/chroma/`. Takes a few minutes. + +### 5. Configure Environment + +```bash +cp .env.example .env +# Edit .env with your settings +``` + +### 6. Run the Server + +```bash +python -m src.api +``` + +Visit http://localhost:8420/ui for the web interface. + +## Docker Deployment + +For production deployment on the RS 8000: + +```bash +# Build and run +docker compose up -d --build + +# Check logs +docker compose logs -f + +# Access at http://localhost:8420/ui +# Or via Traefik at https://wiki-ai.jeffemmett.com +``` + +## API Endpoints + +### Chat + +```bash +# Ask a question +curl -X POST http://localhost:8420/chat \ + -H "Content-Type: application/json" \ + -d '{"query": "What is commons-based peer production?"}' +``` + +### Ingress + +```bash +# Process an external article +curl -X POST http://localhost:8420/ingress \ + -H "Content-Type: application/json" \ + -d '{"url": "https://example.com/article-about-cooperatives"}' +``` + +### Review Queue + +```bash +# Get all items in review queue +curl http://localhost:8420/review + +# Approve a draft article +curl -X POST http://localhost:8420/review/action \ + -H "Content-Type: application/json" \ + -d '{"filepath": "/path/to/item.json", "item_type": "draft", "item_index": 0, "action": "approve"}' +``` + +### Search + +```bash +# Direct vector search +curl "http://localhost:8420/search?q=cooperative%20economics&n=10" + +# List article titles +curl "http://localhost:8420/articles?limit=100" +``` + +## Hybrid AI Routing + +The system uses intelligent routing between local (Ollama) and cloud (Claude) LLMs: + +| Task | Default LLM | Reasoning | +|------|-------------|-----------| +| Chat Q&A | Ollama | Fast, free, good enough for retrieval-based answers | +| Content Analysis | Claude | Better at extracting topics and identifying wiki relevance | +| Draft Generation | Claude | Higher quality article writing | +| Embeddings | Local (sentence-transformers) | Fast, free, optimized for semantic search | + +Configure in `.env`: +``` +USE_CLAUDE_FOR_DRAFTS=true +USE_OLLAMA_FOR_CHAT=true +``` + +## Project Structure + +``` +p2pwiki-content/ +├── src/ +│ ├── api.py # FastAPI backend +│ ├── config.py # Configuration settings +│ ├── embeddings.py # Vector store (ChromaDB) +│ ├── ingress.py # Article scraper & analyzer +│ ├── llm.py # LLM client (Ollama/Claude) +│ ├── parser.py # MediaWiki XML parser +│ └── rag.py # RAG chat system +├── web/ +│ └── index.html # Web UI +├── data/ +│ ├── articles.json # Parsed wiki content +│ ├── chroma/ # Vector store +│ └── review_queue/ # Pending ingress items +├── xmldump/ # MediaWiki XML dumps +├── docker-compose.yml +├── Dockerfile +└── pyproject.toml +``` + +## Content Coverage + +The P2P Foundation Wiki contains ~23,000 articles covering: + +- Peer-to-peer networks and culture +- Commons-based peer production (CBPP) +- Alternative economics and post-capitalism +- Cooperative business models +- Open source and free culture +- Collaborative governance +- Sustainability and ecology + +## License + +The wiki content is from the P2P Foundation under their respective licenses. +The AI system code is provided as-is for educational purposes. diff --git a/docker-compose.yml b/docker-compose.yml new file mode 100644 index 0000000..b1e60c0 --- /dev/null +++ b/docker-compose.yml @@ -0,0 +1,38 @@ +version: '3.8' + +services: + p2pwiki-ai: + build: . + container_name: p2pwiki-ai + restart: unless-stopped + ports: + - "8420:8420" + volumes: + # Persist vector store and review queue + - ./data:/app/data + # Mount XML dumps for parsing (read-only) + - ./xmldump:/app/xmldump:ro + environment: + # Ollama connection (adjust host for your setup) + - OLLAMA_BASE_URL=${OLLAMA_BASE_URL:-http://host.docker.internal:11434} + - OLLAMA_MODEL=${OLLAMA_MODEL:-llama3.2} + # Claude API (optional, for higher quality drafts) + - ANTHROPIC_API_KEY=${ANTHROPIC_API_KEY:-} + - CLAUDE_MODEL=${CLAUDE_MODEL:-claude-sonnet-4-20250514} + # Hybrid routing settings + - USE_CLAUDE_FOR_DRAFTS=${USE_CLAUDE_FOR_DRAFTS:-true} + - USE_OLLAMA_FOR_CHAT=${USE_OLLAMA_FOR_CHAT:-true} + labels: + # Traefik labels for reverse proxy + - "traefik.enable=true" + - "traefik.http.routers.p2pwiki-ai.rule=Host(`p2pwiki.jeffemmett.com`)" + - "traefik.http.services.p2pwiki-ai.loadbalancer.server.port=8420" + networks: + - traefik-public + # Add extra_hosts for Docker Desktop to access host services + extra_hosts: + - "host.docker.internal:host-gateway" + +networks: + traefik-public: + external: true diff --git a/pagenames.txt b/pagenames.txt new file mode 100644 index 0000000..b91e087 --- /dev/null +++ b/pagenames.txt @@ -0,0 +1,23705 @@ +Food_Cooperatives +Lien_et_Autonomie +Egalitarian_Communalism +Economics_After_Capitalism +Community_Garden_Commons +Gift_Economy_of_Property +Mogelijkheden_en_keerzijden_van_de_digitale_muziekindustrie +Social_Stock_Exchange +Tribal_Leadership +Open_World +Crowdfunding_Professional_Association +Daniel_Noble_on_DriveMyCar_P2P_Carsharing +Participatory_Democracy +P2P_Foundation_Knowledge_Commons_Agriculture_and_Food_Channel +Optimal_Sustainable_Scale +Colombia +Free_and_Open_Network_Definition +Politics_of_Code_in_Web_2.0 +Debal_Deb_on_Beyond_Developmentality_towards_the_Zero_Growth_Economy +Occupy_Wall_Street_and_the_Seeds_of_Revolution +Free_Software_Foundation_Europe +Problem_With_Interest +Rapyuta +Open_Anabaptism +Self-Archiving +War_Tapes +Political_Power_of_Social_Media +Streets_as_Commons +Permaculture_Credit_Union +Comparative_Discussion_of_Modern_Money_Theory_and_New_Currency_Theory +Precariat +Role_of_Alternative_Digital_Media_in_Contemporary_Activism +Makerbeam +Adam_Ierymenko_on_the_ZeroTier_One_Project +Re-Interpreting_Equality_in_Terms_of_the_Principle_of_the_Commons +Personhood_of_Corporations +OpenDocument_Foundation +Metareciclagem +Social_Publishing_with_Drupal +Venkatesh_Rao_on_Resilience_and_Technology +Assortative_Network +Cesar_Harada +Nooit_meer_oud_papier +Inquiry_Live +Real_Time_Farms +Limits_of_Peer_Production +Introductory_Animation_to_Complementary_Currencies +Our_Media_Learning_Center +Lisa_Gansky_on_the_Shift_to_the_Sharing_Economy +BaixoSom_-_BR +IHMC_CMAP_Tools +Barry_Wellman_on_the_New_Social_Network_Operating_System +Sachet_Economy +Using_the_Concept_of_the_Social_Commons_to_Rethink_the_Welfare_State +Underground_Commons +Scarcity_Paradigm +The_state_of_it_allGR +Finding_Community +Marinaleda,_Spain +Westergren,_Tim +Hartzog,_Paul +RiP +Omega_Point +Printing_Press_as_an_Agent_of_Change +LiMo_Foundation +Commoning_the_City +Gaming_-_Governance +Collaborate_-_The_Art_of_We +Free_Cultural_Works_Definition +Free_Software_and_Free_Hardware_Design +Andy_Kaplan-Myrth_on_Open_Textbooks_in_Canada +Thierry_Maillet_sur_la_G%C3%A9n%C3%A9ration_Participation +Pirate_Party_-_Germany +Open_Graphics_Design +UK_Government_Licensing_Framework +Wicracy +Transparencia_Hacker +Videos_and_tapes_on_internet_politics +Internet_Economy_and_Global_Warming +Open_RCE +Pat_Conaty +Telerotic +Open_Entreprise +P2P_Foundation_Membership_Program +CKAN +Pia_Waugh_on_Open_Source_Futures_in_Education +Market_Rebels +Club_van_100 +Networked_Public_Culture +Transindividuality +Topsoil_as_Commons +Low_Profit_Limited_Liability_Companies +Wetlabs +Heather_Marsh_on_Building_a_Co-operative_Economy +OpenStructures +My_Support_Broker +User-Driven_Innovation_at_Nokia +Space_Federation +Filter_Failure +Will_Steffen_on_the_Great_Acceleration_of_Human_Evolution +Collaborative_Crisis_Mapping +Berliner_Gartenkarte +Technology_Commercialization_Theory +Juris,_Jeffrey +Sincere_Choice +Creative_Commons_Image_Collections +Open_Hardware_Micro-Robot_Swarm +Housing_Cooperatives +OpenMesh_Project +Governance_Across_Borders +Bettermeans +Survey_of_U.S._Income_Taxation_and_its_Ramifications_on_Cryptocurrencies +Proces_Constituent +Open_Source_Medicine +Public_Information_as_a_Commons:_The_Case_of_ERT_and_the_P2P_Prospect +Welfare_State +Open_Source_Automation_Development_Lab +ThinkCycle_-_G_overnance +Geoscience_Data +International_Journal_of_Distributed_Energy_Resources +Open_Source_Furniture_Design +Open_Source_Prefab_Strawbale_House +The_Vocation_of_Business:_Social_Justice_in_the_Marketplace +Distributed_Intellectual_Product_Right +Mayo_Fuster_Morell_on_the_Spanish_Revolution_and_the_Internet +Making_Craft_Competitive +User_Led_Organisations +VoxCivica/es +Open_Money_Manifesto +Planetary_Forum +Human_Development_Index +%CE%A0%CF%81%CE%BF%CF%82_%CE%BC%CE%AF%CE%B1_%CE%BA%CF%81%CE%B9%CF%84%CE%B9%CE%BA%CE%AE_%CF%84%CE%BF%CF%85_Web_2.0:_%CE%BF%CE%B9_Michel_Bauwens_%CE%BA%CE%B1%CE%B9_%CE%92%CE%B1%CF%83%CE%AF%CE%BB%CE%B7%CF%82_%CE%9A%CF%89%CF%83%CF%84%CE%AC%CE%BA%CE%B7%CF%82_%CF%83%CF%84%CE%BF_Re-public +Carpooling +Towards_Asymmetric_Accounting_Systems_to_Uncover_Value_Contributions_in_a_Post-Transactional_Economy +Wi-Mesh_Alliance +Yochai_Benkler_on_How_Cooperation_Triumphs_over_Self-Interest +Dave_Cormier +1.1_The_GNU_Project_and_Free_Software_(Nutshell) +Open_Media_Movement +Open_Hardware_Business_Models +Open_Source_Microscope +Open_versus_Closed_Modular_Systems +Collaborative_Virtual_Environments_and_Immersion_in_Distributed_Engineering_Contexts +Clothing_Exchange +Free_and_Open_Internet +Juliet_Schor_on_P2P_Learning_and_Connected_Consumption +Awareness_Design +Participatory_Space_Exploration +Applying_Economics_to_the_Study_of_Game_Worlds +Landshare +Carbon_Trading_System +SocialMap +Paying_It_Forward +InterGrid +Globalisation_of_Internet_Governance +Fedora_Commons +Social_Networks_for_Healthcare +Will_Richardson_on_Connective_Learning_and_Personal_Learning_Networks +Jeffrey_Spies_explains_the_Open_Science_Framework +New_Learning_Network_Paradigms +Federating_Social_Networks +Fan_Funding +Jeffrey_Eisenach_on_Global_Internet_Regulation +Maker_Map +Walled_Garden +Open_GeoData +Peer_Mutualism,_Market_Power,_and_the_Fallible_State +Distributed_Constructionism +Italian_language +Athina_Karatzogianni_on_Wikipedia%E2%80%99s_Impact_on_the_Global_Power-Knowledge_Hierarchies +Jeremy_Faludi_on_Green_Computing +CNC_Machining_Companies +DMY_Berlin +Social_Spaces_Project +Nondominium +From_Sun_Tzu_to_Xbox +Liberal_Commons +Investing_in_an_Infrastructure_for_Distributed_Capitalism +Open_Source_House +Free_and_Open_Software_Applications_for_Labor_and_Unions +Mathematical_Methods_of_Organizing_and_Planning +Experiencing_Production_and_Politics_in_the_Service-based_Capitalist_Democracy +Some_Remarks_on_Open_Business_Models_and_the_Economy_of_the_Commons +Sustainable_Degrowth +What%27s_Wrong_with_the_Patent_System +Ecological_Economics_from_the_Bottom-Up +Self-Assembly +Economy_of_Communion +Role_of_Communities_in_Innovation +Resource-based_Economies +Allison_Fine_on_Digital_Tools_for_Activists +RDF +Al_Jazeera%27s_The_Stream_on_Protest_Currencies +Network_Neutrality,_Search_Neutrality,_and_the_Never-ending_Conflict_between_Efficiency_and_Fairness_in_Markets +Left_Republicanism +Video-Sharing_Network +Blue_Economy +Digital_Labour +Centrality +Poststructuralist_Anarchism +Trust_Design +Associative_Democracy +Loomio +Diamond_of_Participation +Clay_Shirky_on_How_the_Internet_Will_Transform_Government +First_Five_Thousand_Years_of_Debt +Why_is_participation_to_the_P2P_Foundation_not_totally_open%3F +International_Fan_Labor_in_Swedish_Independent_Music +Digital_Industrial_Revolution +Federated_Identity +Three_Possible_Network_Future_Scenarios +New_Theses_on_Integral_Micropolitics +Design_for_Download +Public_Markup +Occcu +Non_Standard +Examination_of_Michel_Bauwens%27_P2P_Foundation +COSPA +Regiogeld +Five_Principles_for_New_Public_Policies +Meerkat_Media_Collective +Sustainable_Manufacturing +Nodocentrism +Link-trapping_Service +Farm_Machinery_Cooperatives +Peer_Production_-_Immanence_vs._Transcendence +Adam_Marblestone_on_the_BioBright_Collaboration_Project_in_Biomedical_Science +Social,_Subjective_and_Neurological_Effects_of_Tool_Use +Kaverna_Mountain +Stephen_Graham_on_the_New_Military_Urbanism +Elinor_Ostrom_on_the_Commons_and_Copyright +William_Gunn_on_Mendeley +Open_Radio +Peer_2_Peer_University +Live_P2P_TV +Occupy_Harvard +Open_Hardware_for_the_Environment +Scott_Burns_on_the_Hidden_Wealth_of_the_Household_Economy +Organization_Theory +Inter-Cloud +Econophysics +Econ4 +Free_Technology_Academy +Sugata_Mitra_on_Peer_Learning_in_New_Delhi_Slums +Annodex +Arwen_O%27Reilly_on_the_DIY_Renaissance +Identibuzz/es +GPU_P2P_Crawler +Declaration_of_Interdependence +LOHAS +Cura +Information_as_a_Common-Pool_Resource +Social_by_Social +Shambles_Headcast +Liang,_Lawrence +Embassy_of_the_Commons_-_Poland +Wettach,_Reto +Open_Pandora +Time_Exchanges +Bioteaming +Stallman,_Richard +Blueprint_for_Big_Broadband +LAMP +Lawrence_Lessig_on_What_Free_Culture_Can_Learn_from_Conservatives +Henshaw-Plath,_Evan +Information_Bundling +Peer_Production +Global_Public_Goods_and_Self-Interest +OSCar +Open_Gender +Co-operative_Legislation_and_Public_Policy +Occupy_Vancouver_Decision_Making_Processes +Bonni_Rambatan +Global_Chokepoints +Gameness_of_Second_Life_and_the_Persistence_of_Scarcity +Dan_Gillmor_on_Sophisticated_Citizen_Journalism +Cloud-Based_Identity_Projects +Collaborative_Consumption_Marketplaces +IPR_Customization +Rick_Falkvinge +Open_Think_Lab +Open_Source_Mesh_Firmware +Creative_Business_in_the_Digital_Era +Product_Open_Data +Nic_Marks_on_the_Happy_Planet_Index +Peak_Moment_TV_Show +Open_source_3-D_printing_of_OSAT +Types_of_Control_in_Open_Source_Projects +Shared_Design_Alliance +John_D._Schmidt_and_James_Quilligan_on_the_Commons_and_Integral_Capital +Main_Lobster_Commons +Peak_Water +Federated_Retail +Lewis_Hyde_on_Common_As_Air +Van_der_Velden,_Maja +Sharing_Exchanges +Bitcoin_-_Discussion +Lead_User +Introduction_to_Ripple +Pavan_Sukhdev_on_the_Value_of_Nature +Air_Data_Instrument +ALLMENDA +Multi-Stakeholder_Co-operative_Movement +Screencasting +Live_Web +Open_Science_Mailing_List +Customer_Communities +Mark_Suppes_on_Open_Source_Nuclear_Fusion +4.1.B._The_%E2%80%98Coordination%E2%80%99_format +Repurpose +Free_Acces_to_Law +Environment_for_Development_Commons_Research_Themes +Catarina_Mota_on_the_Open_Materials_Movement +World_of_Warcraft_-_Governance +Trebor_Scholz_on_the_Web_2.0_Exploitation_of_Free_Labour +Swarming +Free_Labor +Higher_We-Spaces +Allmenda +Abundant_Energy_Revolution +Beyond_Broadcasting_Summary_Video +James_Bernard_Quilligan +Akshaya +Interview_with_Evan_Prodromou +Humanity_Lobotomy +Carlota_Perez_on_Technological_Revolutions_and_Financial_Capital +Reformation_of_Finance_Through_Disintermediation +Beyond_Exclusion +Istanbul_Urban_Commons_Workshop +Kati_Sipp +Confederation_of_Resources_for_Global_Democracy +BrowsEarth +Cradle_to_Cradle +Evolution_of_Cognition +Distributed_Representation +OHANDA +Austria +Better_Reykjav%C3%ADk +Nitin_Baliga_on_Open_Science_for_Systems_Biology +Hunter-Gatherers%E2%80%99_Egalitarianism +For_Benefit +LabourStart +Amsterdam_Connected_and_Sustainable_Work_Policy +Bram_Geenen +Eco-Pesa +Stephanie_Wright_on_Creating_a_Culture_of_Sharing_Data_and_Code_to_Improve_Reproducibility +Open_Source_Cartography +EBook_User%E2%80%99s_Bill_of_Rights +Interviews_on_Citizen_Journalism +Peer_Transfer +Adrian_Bowyer_on_the_RepRap_Project +BATMAN +Open_Rights_Group +Lawrence_Lessig_on_Green_Media +Sharing_Authority +Thankyous +Open_Source_Film_Trailer +Social_Co-ops +Election_Integrity_Principles +Eva_Ressel +La_Lata_Muda/es +Gilmore_Law +Navdanya_Trust +Thomas_Homer-Dixon_on_the_Connectedness_and_Resilience_of_Adaptive_Systems +Green_Guild_Biodiesel_Coop +Nancy_Roof +Problem_with_a_Big_Data_World_when_Everything_You_Say_is_Data +Andrea_Reimer_on_Open_Cities_and_the_Open_Motion_in_Vancouver +Open_Source_Software_Service_Model +Jerome_Hergueux_on_Cooperation_in_the_Wikipedia_Peer_Production_Economy +Wikiwashing +Humanizing_the_Economy +WIR +Community_Renewable_Energy +EMC2 +KML +Eric_Becker_on_Local_Slow_Money_Investing +Open_Source_Revolution_and_Biotechnology +BIOFAB +Ethical_Payment_Practices_for_the_Arts +Free_Geographic_Information_Systems +Benjamin_Mako_Hill_on_What_Eight_Collaborative_Encyclopedia_Projects_Reveal_About_Mechanisms_of_Collective_Action +Rethinking_Oppositions_in_Art,_Hacktivism_and_the_Business_of_Social_Networking +Patent_Rights_as_Property_Rights +Political_Video_Barometer +Cooperative_Enterprise_Hub +Open_Source_Semantic_Reasoners +Eminent_Domain +Networked_Proximity +Juan_Freire +ReCommerce +Open_Government_Data_Camp_2010_Video +Terms_of_Service +Strategic_Essentialism +Logic_Live/Participants +Intentcasting +New_Wave_of_Mutuality +Bioteams +Loose_Organization +Sally_James_Ideas_Get_Siloed +-_Participatory_Culture +Venture_Commune +Co-Open +Autonomous_vs_Sponsored_Open_Source_Community +Land_Grant_Universities +Open_Science_Summit +Postgenomic +Agenda_for_a_New_Economy +Open_Archive_Initiative_Protocol_for_Metadata_Harvesting +Panel_on_the_Future_of_the_Public_Domain_in_Europe +Community_Land_Partnership +Freedom_of_Use +User-driven_Advertizing +Personal_Scale_PCB_Milling_Machines +Four_Freedoms_of_Open_Hardware +Rise_of_Organizational_Complexity +Collaborative_Photojournalism +Short_Bios_of_ECC2013_Participants +Dalai_Lama_on_the_Neuroscience_of_Compassion +Bill_of_Privacy_Rights_for_Social_Network_Users +Tom_Walker +Spacebank +Virtual_Community_Central_Bank +What_Do_Students_Think_of_Education_Today +Digital_Common_Law +Trialectics +Economic_and_Human_Flourishing_In_Historical_Perspective +Democracy_Internet_Television_Platform +Rethinking_Epistemology_for_Education_in_a_Digital_Age +LETSystems +Heidemarie_Schwermer_on_Living_Without_Money +4th_Inclusiva_-_Kirsty_Boyle_%26_Catarina_Mota_-_openMaterials +Mitigating_Music_Piracy_by_Cutting_Out_the_Record_Companies +Inquiry +Shade,_Leslie +Adam_Greenfield_on_Networked_Urbanism +Stephen_Downes +Giles_Andrews_on_the_Evolution_of_the_Zopa_Social_Lending_Project +Wikileaks +Maia_Maia +Convergence_Culture_and_the_Games_Industry +Pegging +Ochlocracy +Crowdfunding-Based_Microcredit +Deliberative_Structure +Edgardo_Lander +People_to_People_Fundraising +4.1.D._Peer_governance_in_peer_production%3F +IPhantom +Latin_America_Commons_Deep_Dive/Participants +Prediction_Market +Social_and_Institutional_Interoperability +Wizards_of_Money +Open_Book +Cory_Doctorow_on_Digital_Rights_Management +Bedrijfsleven_lijdt_aan_Digitale_dyslexie +Nature_Institute +Source_Freedom +Evolution,_Complexity_and_Cognition_Research_Group +Picture_Licensing_Universal_System +Transport_Layer_Identification_of_P2P_Super_Nodes +Aaron_Schwartz_on_the_Parpolity_System +Introduction_to_the_Tools_and_Processes_of_the_Participatory_Economy +Open_GPS_Tracker +David_Graeber_Give_It_Away +Jordi_Claramonte +Project_Cybersyn +Roberto_Perez_on_Sustainability_in_Cuba +One_Couch_At_A_Time +Social_Energy +Czy_zielono-piracki_sojusz_zmieni_Europ%C4%99%3F +Digital_Tipping_Point +Sarah_Robbins_on_Creating_Community-Oriented_Learning_Spaces +Pure_Legal_Code +International_Labor_Media_Network +Cowell,_Mac +Open_source_appropriate_technologies +Multitude +Open_Source_Cities +Accueil +Contributions_Log +Future_Link_Foundation +Digital_Universe +Club_Model_of_Cultural_Consumption_and_Distribution +Introduction_to_Neogeography +Toward_the_Design_of_an_Open_Monograph_Press +Convivial_Degrowth +Open_Source_Mathematics +Spontaneous_Order +Examination_of_Peer-to-Peer_Signal-Sharing_Communities_that_Create_Their_Own_Internet_Access +Pro-Ams +Robert_Metcalfe_about_the_Enernet +Solidarity_Lending +Interview_with_Mark_Anielski_on_the_Economics_of_Happiness +Video_Interview_with_Isaac_Mao +Connecteurs +Non-Scarcity_Based_Monetary_Systems +Quilligan,_James_Bernard +Kahle,_Brewster +Community_Exchange_System +Peer-review +Social_Kitchens_-_Greece +Tim_O%27Reilly +Marxist-Humanism +6.1.E._The_Emergence_of_Peer_Circles +OpenChemistry +Brazil_WikiSprint_Drafts_To_Process +P2P_Awards +Echologic +Peer_Production_and_Industrial_Cooperation_in_Educational_Materials +Cyborg_Self_and_the_Networked_City +Conflict_of_Interest_Questionnaire +Common_Company +Six_Ideas_For_Those_Needing_Defensive_Technology_to_Protect_Free_Speech_from_Authoritarian_Regimes +K12EdCom +Cryptome +Connexions_Consortium +Craig_Bremner_and_Erik_Olin-Wright_on_the_Utopian_Imagination +Open_Electronic_Patient_Records +Chaadaev +Peter_Semmelhack_on_Open_Source_Hardware_in_Electronics +Co-Production +Global_Frameworks_Unionism +OpenStructures_Open_Modular_Hardware_Database +Web2.0. +James_Burke +Deliberative_Dialogue +Gordon_Cook_Interviews_Michel_Bauwens +Media_Places_Research_Project +Michel_Nielsen_and_Michael_Vassar_on_the_Epistemology_for_Online_Science +Theories_of_Money +Living_Cities_Movement +Robin_Chase_on_Carsharing +Tech_Shop +Jureeka +I_Am_Scientist +Laurence_Schechtman_on_Peer_to_Peer_Food_Growing +Planning_through_the_Market +Non_Linear_Effects_of_Leaks_on_Unjust_Systems_of_Governance +John_Boik_on_Creating_Sustainable_Societies +Commons_and_Class_Struggle +Neighborhood_Mini-Grid +P2P,_de_lange_golven_van_Kondratieff,_en_de_nood_voor_een_nieuw_sociaal_kontrakt +Gene_Yoon_on_Second_Life%E2%80%99s_Economic_Architecture +Edu_Factory +BIOS +Ethical_Economy_Book_Project +Tapeworm_Economy +Electoral_ATM_Machine +Journal_of_Visualized_Experiments +Open_Internet_Networks +Without_Middlemen_Movement_and_Social_Grocery_Shops +Soledo +Open_Video_Movement +Gift_Commons +P2P-enabled_Search_for_Missing_Objects_and_Persons +Abundance_vs._Scarcity +Banausos +Connected +Dale_Dougherty_and_Tony_DeRose_on_Young_Makers +Table_of_Contents_(Overview) +Does_the_Gift_Economy_Undermine_Economic_Growth +Stadt_der_Commonisten +John_Lebkowsky_on_Extreme_Democracy +Knowledge_Commons +Web_Science_Trust +Poll_Vault +Uniterra +Maker_Movement_Map +Michel_Bauwens_on_Open_Infrastructures_and_the_Rise_Of_Open_Society +Patrick_Meier +Twitter_and_Journalism +Social_VPN +Just_Give_Money_to_the_Poor +Collaborative_for_Inclusive_Urbanism +Meta-Networks +IPodder +Peer_Assist +Small-World_Network +Open_Ecosystems +Equity_Union +One_Swarm +Common_Heritage_of_Mankind +Paul_Fernhout +Big_Shift_Index +Marjorie_Kelly_on_the_Emergent_Ownership_Revolution +Coming_Up_Short_Handed +Distributed_Creativity +Open_Budgets_Blog +Himanen,_Pekka +Co-intelligence,_Collective_Intelligence,_and_Conscious_Evolution +Bitcoin_and_the_State +Venture_Communism +Spring_Alpha +Placecasting +Transnational_Communities +E-Petitions +Manuel_DeLanda +Une_r%C3%A9volution_des_m%C3%A9thodes_de_production +Network_Form_in_the_Futures_Studies_Field +Information_Goods +One_Machine +Friedman,_Thomas +Mobile_Phone_Activism_in_South_Africa +Alg-a_Lab/es +Axel_Bruns_on_Open_News,_Gatewatching_and_Open_Citizen_Journalism +Open_Net_Initiative +New_Wilberforce_Alliance +Role_of_the_Commons_and_Common_Property_in_an_Economy_of_Abundance +Beyond_Voting_-_New_York_City +Greg_DeKoenigsberg_on_the_Science_of_Community +Community-Led_Food_Initiatives +Proximity_Range +Murray_Bookchin%27s_Post-Scarcity_Critique_of_Marxism +Rich_Internet_Applications +Hub +Loosecubes +Richard_Stallman_on_U.S._Government_Control_of_the_Internet +Peer_to_peer_finance_mechanisms_to_support_renewable_energy_growth +Neighborstead +Big_Shift +Victor_Campos +New_Capitalist_Manifesto +OpenHardware +Panarchy_Etymology +Seth_Godin_on_Post-Conventional_Tribalism +Community_Company_Incubator +Multi-Faith_Reciprocity_Ethic +Marginalization_of_the_Commons_and_What_To_Do_About_It +Good_Copy,_Bad_Copy +Open_Source_Cooling +Joel_Hodroff_on_Dual_Currency_Systems +Spiritual_Environmentalism +Living_Convention_on_Biocultural_Diversity +La_Crise_Fiduciaire_des_Medias_de_Mass +Fritzing +Occupy,_Social_Media,_Public_Space,_and_the_Emerging_Logics_of_Aggregation +UNAMAZ +Technofix_Thinking +Climate_Commons_Map +Socio-Technological_System_Levels +New_Spirit_of_Capitalism +P2P_Occultism +Sunnycrowd +Investor +Presence_and_the_Design_of_Trust_-_Dutch_version +Freebase_model_vs._Myspace_model +Digital_Bill_of_Rights +Tim_Jackson_on_Prosperity_Without_Growth +Internacional +Internetcrazia_-_Italy +Digital_Design_Commons +Rentism +Net_Balance +Social_Vouchers +Howard_Rheingold_Introduces_Social_Bookmarking +Emmanuel_Goldstein_of_2600_on_the_Etymological_Origins_of_Hacking +Catherine_Bracy_on_Civic_Hacking +Free_Network_Foundation +Open_ICT_for_Development +T-Corporations +Neil_Gershenfeld_on_Fab_Labs +Hyperdrome +Master_Switch +Beth_Noveck_on_Transparent_Government +Esperanto +Starfish_and_Spider +Moneyless +Dadamac +American_Romanian_Academy_of_Arts_and_Sciences +Bruno_Stehling +Silence_is_a_Commons +Local_Currency_Council_-_UK +Ciutadania_4.0/es +1.2_GNU/Linux_and_Open_Source_(Nutshell) +Quand_Google_Defie_l%27Europe +White_House_Office_of_Social_Innovation_and_Civic_Participation +Do_Artefacts_Have_Politics +Smarter_Planet_Service_Systems +Handmade_2.0 +How_Firms_Relate_to_Open_Source_Communities +Born-Digital_Electronic_Scholarship +Of,_By,_and_For +Movements +Open_Video_Alliance +P2P_Videos_on_Culture_and_Media +Authorea +Stichting_Repair_Caf%C3%A9 +Blog_Essay_of_the_Day_Archives_2012 +Blog_Essay_of_the_Day_Archives_2013 +Blog_Essay_of_the_Day_Archives_2011 +Danny_O%27Brien_on_ACTA +Derek_Lomas:_on_Open_Source_Learning_Games +Claire_Petitmengin +Linus_Torvards_on_CNN +Commons_Approach_to_Sustainability +Seltzer,_Wendy +Collaboration_Marketing +15MpaRato +Aquifer_Trust +Wired_Trade_Unionism +Baraniuk,_Richard +DIY_Judaism +Free_Coworking +Venture_Capital_Investments_in_P2P_Companies +Logistical_Media_Theory +Catabolic_Collapse +Table_of_Contents_(Nutshell)GR +Peer_Production_-_Authority_Structures +Innovation_of_Community_Energy_in_Finland_and_the_UK +Eugene_Kolker_on_Data-Driven_and_Reproducible_Life_Sciences_Research +Trade_School +Spaceframe_Bikes +Artistic_Freedom_Vouchers +Three_Competing_Societal_and_Economic_Models_in_the_Age_of_Peer_Production +Seed +Collaborative_Competitions +Fiat_Mio +Elizabeth_Peredo +Anonymous_Marketplace +University_for_Strategic_Optimism +Debian_Constitution +Interviews_with_Community_Energy_Intermediary_Actors +Sam_Rose +Clifford_Lynch_on_the_New_Digital_Landscape_of_Scholarly_Communication +OpenStack_Foundation +Andrew_Katz_on_Copyleft_Licensing_for_Hardware +Worker-Owned-and-Controlled_Businesses +Open_source_hardware +Joe_Kahne_and_Cathy_Cohen_on_Mapping_Youth_Participatory_Politics +EcoDistrict_Urban_Strategy +Situationist_City +New_Economy_in_Twenty_Enterprises +Yoism +Market_for_Personal_Manufacturing +Paul_Gardner-Stephen_on_the_Serval_Project +Question_Concerning_Social_Technology +Jessica_Litman_on_Copyright_Liberties +Growth_isn%27t_Possible +Local_Dirt +Critical_Junctures +Public_Participatory_Geographic_Information_Systems +-_Exeem +True_Value_Metrics +Indigenising_Curriculum +Motivation_of_Open_Source_Software_Developers +Andrew_MacAfee_on_the_Effect_of_Technological_Innovations_on_the_Availability_of_Jobs +Material_Form_of_the_Commons +Seven_Policy_Switches_for_Global_Security +Affinity_Investing +Seasteading +Produsage +Common_Property_in_Free_Market_Anarchism +Juliet_Schor_on_the_Plenitude_Economy +Difference_between_Multi-currency_Platforms_and_Market_Making_Platforms +Berners-Lee,_Tim +Netless +Fab_Foundation +Social_Bank +E-agriculture +XMP_Extensible_Metadata_Platform +Carlos_Castro_on_the_Digital_Literacy_Plan_in_Extremadura +Prediction_Markets +Alma_Swan_on_the_Open_Access_Movement +OPENiT_Festival_Berlin +Ulises_Mejias +International_Journal_of_Community_Currency_Research +James_Surowiecki_on_the_Future_of_the_Organization +Virtual_learning_environment +Web_libre_y_punto/es +Making_Commons_Through_Law +OuiShare +Breakthrough_Learning_in_a_Digital_Age +Tito_Jankowski +PyBossa +Collaborative_Rationality_for_Public_Policy +Podjacking +RFID +Common_Notions +Sky_Trust +Open_Source_Seeds +Mobile_2.0 +Dave_Rand_on_the_Online_Laboratory_and_Experimental_Social_Science +Self-Managed_Economy +Robert_Reich_on_the_Carbon_Auction_and_Basic_Income_Against_Poverty_and_Global_Warming +Participatory_Legislation +Reed%27s_Law +Federico_Campagna_and_Franco_Bifo_Berardi_on_the_End_of_the_Future_as_Utopia +Alchemy_of_Change +Correcting_Negative_Mythis_about_Renewable_Energy +Technology_Justice +Story_of_a_Kiva_Loan +OpenVirgle +Locast_Civic_Media +Cooperative_Linux +Yes_We_Camp +Il_potere_della_rete +To_Do_List +Public_Domain_Mark +Howard_Rheingold_on_Cooperation_Theory +Open_Source_Companies +Real-time_Dashboards +Glyn_Moody +Smart_Aggregator +Open_Data +Open-Source_Software_Libraries_for_Unstructured_Data +Travis_Henry_on_the_Yourhub_Citizen_Media_Initiative_in_Colorado +Senza_Soldi +Wikiplanning_San_Jose +Leah_Buechley_on_the_Democratization_of_Ubiquitous_Computing +Socially_Responsible_Investment +Blogging_in_the_Law_Profession +Mobile_Phones_and_Development +Participatory_Budgeting +Vermont_Businesses_for_Social_Responsibility_Marketplace +OSE_Specifications +Is_Compulsory_Education_needed_in_a_Gift_Economy +Theory_of_relations +Shuttleworth_Foundation_Open_Resources_Statement_of_Principle +Yochai_Benkler_on_the_Participation_Revolution +FireAnt +Technocultural_Subjectivation +Open_Access_Publishing_Income_Models +Non-Institutional_Systems +Hackathon +Distributed_Cognition_Theory_-_Hutchins +Crowdsourcing_Critical_Success_Factor_Model +Vint_Cerf_on_the_birth_of_the_Arpanet +Global_Processing_Unit_-_GPU +Seven_Policy_Switches +Store_of_Value +Social_Equity +Democratic_Worker-Owned_Firm +Primitive_Accumulation +Open_Congress +San_Francisco_Urban_Organic_Agriculture +Shel_Israel_on_Naked_Conversations +Open_Strategy +Criticual_State_of_the_Planet +Gemeinschaft +CurrencyFair +Towards_a_New_Socialism +Richard_Heinberg_on_the_Conditions_for_Smart_Local_Development_in_Times_of_Increased_Resource_Scarcity +Michelle_Thorne_on_Designing_for_Collaborative_Consumption +Group_Funding +Decentralized_Energy +Fashion_and_Clothing_Sharing +P2P_Betting +Kai_Ehlers +E-Discussions_Canada +Libre_Multimedia_Tools +Not-For-Profit +Asymmetrical_Competition +Peer-to-Peer_Health_Care +WhipCar +Prince_of_Networks +Religious_Interdictions_of_Usury_and_Interest +Open_Corporate_Partnership +Mervyn_Levin_on_the_Convergence_of_the_Digital_and_Physical_Worlds_Through_3D-Printing +Camila_Moreno +Passet,_Rene +Parecon +Jia_Lyng +Open_Source_Project_Management_Tools +Fabbing +InkMedia_Mobile_Computer +Peter_Sloterdijk_on_the_Acceleration_of_the_Pace_of_Social_Change +Loanables +Post-Scarcity_Fiction +Transontology +Wireless_Meshworks +Sponsored_Open_Source_Community +Drew_Endy_and_Jim_Thomas_Debate_Synthetic_Biology +Menichinelli,_Massimo +Peer_Economy +FLO_List_Summary_10/9 +Journey_into_the_Consumerization_of_Hacking_Practices_and_Culture +Hilary_Wainwright_on_the_Economics_of_the_Commons +Search_for_Social_Entrepreneurship +Objectivity_without_Transparency_is_Arrogance +Public_Sector_Open_Source_Project +SocioPatterns +Purple_Movement +Nodeb +State_Sponsored_Open_Source_Warfare +Genomic_Data_Commons +Marcin_Jakubowski +XWeb +Carlo_Ratti_on_the_Real_Time_City +Corporations +DIY_Guides_for_Making_Lab_Equipment +Fred_Foldvary_on_Land_Commons_and_Land_Rent_Thinking_in_Georgism,_Anarchism_and_Libertarianism +Will_Monetization_Models_for_Social_Media_Ever_Come +Jaromil +Open_Innovation_in_the_18th_Century_Cornish_Tin_Mines +Smava_Social_Lending_Presentation +Otyp +Reenchanted_World +Open_Source_Streaming_Alliance +Open_Flow +The_gnu_project_and_free_softwareGR +James_Quilligan_and_Charles_Eisenstein_on_the_Gift_Economy_and_the_Commons +Festival_Tragameluz/es +Bill_McGeveran_on_the_Digital_Learning_Challenge +Tort +Jon_Wilkins_on_Organizing_Independent_Scholars_with_the_Ronin_Institute +Shift_FabLab_Documentary +Garage_Influentials +Atmospheric_Trust_Lawsuits +Rank_thinking_vs._Peer_thinking +Rolling_Jubilee +Local_Knowledge_Production +Arduino%27s_Open_Source_Hardware_Business_Model +P2P_Personal_Filesharing_Market +Online_Deliberation +Gift_Economy_-_Discussion +OpenRov +Robert_Fuller +Project_Starfish +Organic_Intellectual +Ronin_Institute_for_Independent_Scholarship +Bauwens,_Michele +Consumer_Stock_Ownership_Plan +Why_We_Need_a_Cap_and_Dividend_based_Skytrust_to_solve_Global_Warming +Networking_City +Whisenant,_Greg +Kulturwertmark +Techno-Logical_Individuation +Freelib +Social_Media_as_a_Facet_of_Neoliberalism +Tom_Mallone_on_Collective_Intelligence +Subsidiarity +Michel_Bauwens_on_Open_Source_Culture +Community_Tools +Plaxo_on_the_Online_Identity_Consolidator_and_the_Open_Social_Web +Sally_James_on_How_Biomedical_Ideas_Get_Siloed +Hive_Devices +Last_Mile_Meshwork_Cooperatives +Wouter_Tebbens_on_the_Free_Technology_Academy +P2P_Society_as_an_Autopoietic_System +Vili_Lehdonvirta +Open_Source_Academy +Federal_Reserve +Fairy_Use_Tale +Golden_Shield_Project +Government_2.0_Summit_2009_Videos +Colega_Legal_-_BR +Maja_van_der_Velden_on_How_Technology_Affects_Cognitive_Justice +ArduSat +UN_Democracy +Anarchy_as_Order +Music_IP +Slow_Food_Nation +Ricardo_Semler_on_Leading_by_Omission +Open_Design_Research +Collective_Wisdom +Curation_Economy +Corporation_2020_Alliance +Jerry_Michalsky_on_the_Relationship_Economy +Global_Villages_Network +Wealth_of_the_Commons +Hint-Based_Systems +SEED +Shapeways +Co-Production_and_New_Public_Governance_in_Europe +Jan_Hemme_on_How_the_German_Pirate_Party_is_Crowdsourcing_Politics +Case_of_a_RepRap-Based,_Lego-Built_3D_Printing-Milling_Machine +MAPLight.org +Shareable_Cities +Future_of_Web_Applications_2006 +Media_Education_in_the_21st_Century +Machinima_Makers_Peer_Groups +DIY_E-Garments +Cognitive_Capitalism_and_Entrepreneurship +Five_Disciplines_of_the_Learning_Organization +Sherry_Turkle_on_Connection_Poverty_in_Social_Media +CEO_Guide_to_RFID +Ronja +Blogs_vs_Print_-_Whither_Objectivity +Dodgeball +Sarah_van_Gelder_on_Creating_Resilient_Families_and_Communities +Resilience_Alliance +Douglas_Rushkoff_on_Medieval_Money +DNA_of_Collaboration +Multiverse +Embodiment_in_New_Media +Open_Source_Seed_Initiative +Regulatory_Regionalism +State_of_Permanent_Exception +Economy_of_Charism +Eduverse_Foundation +Silke_Helfrich_on_Framing_the_Commons +Holons +Alliance_for_Taxpayers_Access +Movements_of_the_Squares_-_Governance +SIOC +World_as_Gift +Common_and_the_Forms_of_the_Commune +Economics_of_Open_Content_Symposium +Community_Participation_in_Nature_and_Resource_Conservation +Rights_Expression_Language +Open_Street_Map +Internet_Commons +Jones,_Pamela +Autonomous_internet +Alterglobalization_Movement_-_Epistemological_Aspects +Unsourcing +Stav_Shaffir_on_Open_Source_Culture_for_Global_Social_Justice +Organizational_Democracy_and_Prosocial_Behavior +Epochalism +Cybergrace +Advogados_Ativistas +User_Generated_Content +Steven_Kovats_on_DIY_Culture +Dublin_Core_Metadata_Initiative +New_Tyranny_of_Shifting_Information_Power_in_Crises +Advanced_Renewable_Tariffs +Phillip_Schmidt_on_OER_in_Africa +Open_Source_Appropriate_Technology +Fyre_Exyt +Open_Source_Project_Management +Clay_Shirky_on_the_Cognitive_Surplus +Appendix_4:_Reactions_to_the_Essay:_Kudo%27s +Participatory_Guarantee_Systems +Alcune_riflessioni_sui_Commons +George_Selgin_on_Free_Banking +Russia +Free_Software_and_Freedom_of_Speech +Public_Intellectual_Property_Resource_for_Agriculture +Bohmian_Dialogue +Social_Engagement_Trends_2006 +FOSS_Codecs_for_Online_Video +Park_At_My_House +For-Benefit_Institutions +Planned_Obsolescence +Common_Crawl +Occupy_Wall_Street_Movement_Groups +Contingent_Cooperation +Vertical_Hydroponics +Blue_Gold +Expanding_Peer_Production_to_the_Physical_World +Dividuation +Telementoring +Jacques_Ranci%C3%A8re +Publics +Event_Exchange_Protocol +10xE +Reliability_vs_Efficiency +Lawrence_Liang_on_Piracy_and_Production +Open_Hardware_Certification_Program +Towards_an_Internet_Free_of_Censorship_in_Latin_America +Loic_Lemeur_on_TV_2.0 +BNNRC +Ronaldo_Lemos_on_Open_Culture_in_Brazil +Kleiner,_Dmytri +What_Public_Broadcasters_are_Doing_with_the_Internet +Open_NURBS +Open_Source_Maker_Labs +Tim_Hartnett_on_Consensus_Oriented_Decision-Making +Krowne%27s_Laws_of_Free_Software_Production +What_is_a_Distributed_Network +Shared_Digital_Futures +Michel_Bauwens_on_the_Conditions_for_the_Radicality_of_P2P_Paradigm +Eben_Moglen_on_the_Four_Forces_Arrayed_Against_Internet_Freedom_and_How_We_Can_Fight_Them +Open_Source_Real-Time_Operating_System_for_Embedded_Applications +Matt_LeMay_on_What_Changes_When_the_Internet_Archives_Everything +History_of_Social_Venture_Blog +Jerry_Do-It-Yourself_Mobile_Server +Entredonneur +DatAnalysis15m/es +Monochronic_vs_Polychronic_Time +Effects_of_Software_Patent_Policy_on_the_Motivation_and_Innovation_of_Free_and_Open_Source_Developers +Eugenio_Tisselli +Improving_Future_Research_Communication_and_e-Scholarship +Four_Ways_to_Manufacture_Open_Hardware +Hacker_Spaces +Interra_Project +P2P_Urbanism:_From_Exclusion_to_Autonomy +Search_-_Understanding_Google +Wikileaks_and_the_Battle_for_the_Soul_of_the_Networked_Fourth_Estate +LibriVox +Peer_to_Peer +Software_Freedom_Law_Center +James_Cascio_on_the_Participatory_Panopticon +Rhizomatic_Learning +Municipal_Service_Project +Open_Source_Green_Vehicle +OpenDocument_Fellowship +Open_and_Participatory_Agricultural_Data +Mumi +Occupy_Related_Subreddits +Solidarity_Economics +Intellectual_Property_Wars_from_Gutenberg_to_Gates +Food_Ethics_Council +Brmlab +Ybox +Occucopters +Freeing_the_Mind +Crisis_of_Value_in_a_Collaborative_Economy +@_is_for_Activism +Pandora.com +Peer-to-peer_lenen +Mary_Mellor%27s_Introduction_to_Understanding_Money +Energy_Complexity_Spiral +Netwar +Ethical_Markets_Television +Badges +Money_and_Life +JAK_Bank +Jim_Kelly_on_the_Darknet +Nielsen,_Jeffrey +Jack_Lerner_on_Music_Sampling +Autonomous_Internet_Road_Map +Filmmaking_2.0 +Judith_V._Jordan_on_the_Relational_Shift_in_Psychology +Platformation +Pirates +Internet_Time_Alliance +Sohodojo +Global_Microstructures +Plopp_Us +Michel_Bauwens_Interviewed_by_Furtherfield +Ingroup_vs_Outgroup_Dynamics +Democratization_and_the_Networked_Public_Sphere +Edgar_Cahn +Network_Theory +Free_Shops +Self-Directed_Public_Services +BlogCon_Thai_Thammasat_University +Occupy_Wall_Street_Street_Vendor_Project +Reclaiming_the_Commons +OpenID_Podcast +InfoCloud_Theory +Capital_Commons_Trusts +Cultural_Policy_Should_Support_Organized_Networks +Towards_Marxian_Internet_Studies +Peer_Production_Entrepreneurs +Free_BSD +Occupy_PR +Intrinsic_vs._Extrinsic_Motivation +Open_Source_Legislative_Process +Hacker_Class +Four_Basic_Scenarios_for_the_Future +Open_ID +Crowdsourced_Credit_Rating_Providers +World_RepRap_Map +Ortegrity +Adam_Arvidsson_on_the_Crisis_of_Value_and_the_Ethical_Economy +Open_IT +Centipedes +New_Network_Theory_2007 +Lee_Hoinacki_on_Remembering_Ivan_Illich +Ubuntu_Green +James_Cascio_on_Technology_and_Politics +Building_a_Rural_Wireless_Mesh_Network +X_Party +Long-Term_Discounting_Frameworks +Strategic_Synergy_between_Individual_and_Collective +Massively_Collaborative_Mathematics +Zweifel_-_User-Initiated_Crowdsourcing +Making_Piracy_Obsolete_Through_the_Payright_System +Open_Garden +Open_Personal_Genomics +Harmonious_Age +Structural_Flaws_of_Global_Economics_and_the_Problem_of_Erroneous_Value_Equation +WikiLeaks,_the_State-Network_Dichotomy_and_the_Antinomies_of_Academic_Reason +1BOG +Engagement_Marketing +Anarchism_and_Authority +Jyri_Engestr%C3%B6m_on_Microblogging +Appeal_for_Assistance_for_the_P2P_Foundation_Wiki +Culture%E2%80%99s_Open_Sources +Music_Genome_Project +Fandom +Designing_Freedom +Object_Management_Group +Digital_Radio_Developments +Sharable_Access +Learning_Analytics +Eugenio_Battaglia +Free_Digital_Textbook_Initiative +Nathan_Wilson_Cravens +P2P_XML +Lessig_on_Six_Priorities_for_U.S._Congress_2007 +Verso_una_Produzione_Materiale_Open_Source_e_Peer-to-Peer +Wasatch_Cooperative_Market +Shamrock_Organization +Biospace_-_Canada +EDAG_Open_Source_Light_Car +Open_Hardware_Startups +Corning,_Peter +What%27s_Behind_Heroic_Altruism +Open_Scientific_Papers +Geeking_Out +CiviCRM +Federation_of_Egalitarian_Communities +Open_Source_Licensing_as_a_Legal_and_Economic_Modality_for_the_Dissemination_of_Renewable_Energy +Voluntary_Leadership +Use_Communities +Croquet +Participatory_Open_Online_Course +BPR3 +FLOSS_Cloud_Computing_Platforms +Hollis_Doherty_on_the_Worgl_Monetary_Experiment_in_Austria +Inside_the_Hacker_World_of_LulzSec,_Anonymous_and_the_Global_Cyber_Insurgency +Capitalist_Collective +On_the_Relationship_between_Individual_and_Collective_Awakening +Networked_Participation +State_Owned +Ayan_Mitra +Resource_Exchange_Network +Charrette +Balloon_License +Electronic_Intifada +Las_Indias_Montevideo_Declaration +Granular_Social_Networks +ECC2013/Land_and_Nature_Stream/Test +Free_Standards +Cory_Doctorow_on_Metadata_as_Metacrap +Manifesto_for_Social_Banking_and_the_Commons +Starhawk_Videos_on_Permaculture +Use_of_Social_Networking_Sites_by_Undergraduate_Students +Live_Downloads +Compensated_Open_Source_Innovation_for_All +Reality_Mining +Volker_Grassmuck +Julie_Cohen_on_the_Configuration_of_the_the_Networked_Self +Timebanking +Theorizing_Knowledge_Work_in_Technical_Communication +Digital_Origins_of_Dictatorship_and_Democracy +Association_of_Peer_to_Peer_Researchers +Sakai +Spimes +Machine_of_Open_Commonities +Why_the_use_of_Free_Software_by_public_authorities_is_a_moral_obligation +Tristan_Nitot_on_Mozilla_Europe +Farm_and_Garden_Sharing +Networked_Teacher_Diagram +Social_Protocols +Evaluating_Spiritual_and_Utopian_Groups +Political_Economy_of_the_Global_Environment +Mobjects +Jan_Rotmans +Kenya +Manuel_Lima_on_the_Power_of_Networks +Globally_Networked_Guerillas +Alanus_University +International_Declaration_on_Individual_and_Common_Rights_to_Land +P2P_Foundation_Wiki_Navigation +Open_Design_School +Scott_Heiferman +Naomi_Klein_on_the_Context_for_OccupyWallStreet +DotCommunism +P2P_Next +Ron_Burt_on_How_Collaboration_Networks_Can_Foster_Innovation +Flash_Mob +Collaborative_Consumption_Self-Insurance_Platform +Global_Volunteer_Network +Community-Based_Cooperative_Healthcare +Open_Supply_Chain +Nahrada,_Franz +Peer-to-Peer_as_Ethics,_Intersubjectivity,_Spirituality_and_Social_Change_Project +ECache +Knol +Sharing_Distributed_Design_Knowledge_for_Open_Collaborative_Design +Gerd_Leonhard_on_the_Future_of_User_Generated_Content +Brave_New_War +Maia_Maia_Project +Jenkins,_Jennifer +Access_to_Full_Chapter,_with_endnotes +Rolando_Lemos_on_Open_Culture_in_Brazil +Descriptive_Science +Participatory_Plant_Breeding_Toolkit +Organic_Urbanism +Sepp_Hasslberger +Open_Source_SMS_Gateway +2.4_Property_and_Commons +Alexa_Bradley +Data_Neutrality +Ismael_Pe%C3%B1a-L%C3%B3pez_on_Web_2.0_and_the_Diffusion_of_Research +P2P_Foundation_Wiki_Skins +Droit_Universel_De_Cr%C3%A9ation_Mon%C3%A9taire +Connected_Learning_Research_Network +Josef_Jacotot%27s_Pedagogy_of_Equality +WikiSym +Soil_and_Health_Library +Open_Source_Hydroponics +Eli_Gothill +Vaidhyanathan,_Siva +Computational_Complexity_of_Democracy +Open_Source_eCommerce_Tools +Neo-Reactionaries +Open_Source_Satellite_Initiative +Richard_Moore_on_Escaping_the_Matrix +Marvin_Brown_on_the_Economics_of_the_Commons +Patent_Trolls +Open_Source_Urban_Agriculture_Policy +Equity-based_Licenses +EU_as_Collaborative_State +Contextual_Economics +Culture_Coin +Open_Data_Definition +Personal_Property +Towards_a_World_Wide_Web_of_Electricity +Co-Creative_Recipe +David_Korten_on_Radical_Abundance +Cloud_Standards_Customer_Council +Digital_Cash +Map_of_European_Energy_Coops +Piratbyr%C3%A5n +MaterialWiki_Project +Synthetic_Biology_Caught_between_Property_Rights_and_the_Commons +P2P_Energy_Economy +DEFCAD_3D_Printing_Search_Engine +Open_Video +UltraSurf +Eric_Mazur_on_Peer_Instruction +Sky_Charter +Collaborative_State +Revolutionary_Communalism +Peer-to-peer:_netwerken_van_onbekende_vrienden +Slow_Movement +Vie_artificielle +Jon_Husband_Wirearchy_Consultancy +Stephan_Dohrn +User_Labor_Markup_Language +Saskia_Sassen_on_Global_Assemblages_of_Networks,_Power,_and_Democracy +Trashwiki +Social_Costs_of_Private_Enterprise +Idler_Movement +Evgeny_Morozov_on_the_Limits_of_Social_Networks_in_Promoting_Democracy +PyLETS +Consumer +Frosini_Koutsouti +Dmytri_Kleiner_on_Venture_Communism +NextFab_Organization +BitPAC +Shareable +PART_THREE:_THE_HYPOTHETICAL_MODEL_OF_MATURE_PEER_PRODUCTION:_TOWARDS_A_COMMONS-ORIENTED_ECONOMY_AND_SOCIETY +Joi_Ito_explains_the_Creative_Commons +Medical_Device_Co-ordination_Framework +European_Organisation_for_Sustainability +Logical_disjunction +Leonhard,_Gerd +Vernor_Vinge_on_the_P2P_based_Singularity +Multipurpose_Machines +Authority_in_Peer_Production +Self-Organisation +New_Digital_Media_and_Activist_Networking_within_Anti-corporate_Globalization_Movements +Umair_Haque_on_Purposeful_Economics +Evolution_of_Cooperation_-_Haskell +Collapse_Network +Public-Domain_Movie_Database +Success_of_Open_Source +Vendor_Relationship_Management +Legal_Commons_and_Social_Commons +Seeding_the_emergence_of_free_and_resilient_communities +Creative_Networking +Witherspoon,_Bill +Convivial_Institutions +Project_Splinescan +Jan_Spencer_on_Suburban_Renewal_through_Permaculture +Living_Soil_Forum +Technologies_of_Resistance_-_Dissertation +Frankencamera +Introduction_to_the_Facilitation_Methods_at_the_Occupy_Atlanta_General_Assembly +Chris_Carlsson +Hunting_Commons +Trev +Comunalidad +Commons-Based_Resources +EMUDE +Robert_Fuller_on_Rankism +Digital_Capital_Reading_Group +Confronting_the_Challenges_of_Participatory_Culture +Social_Trade_Organisation +Soy_Publica +Reinventing_Social_Emancipation +Open_Literature +Open_Garbage +David_Winer_on_Portable_Social_Networks +Freelance_Economy +Conservative_Nanny_State +Distributed_Computing +SMS_Interoperability +Ami_Dar +Interactive_Food_Sovereignty_Ordinance_Map +Brighton_Energy_Co-op +Civic_Agriculture +David_Brin_and_Sheldon_Brown_on_Massive_Collaborative_Problem-Solving +John_Seely_Brown_on_the_Long_Tail_of_Learning +Field_Blogging +Open_Source_Spaceflight_Hardware_Movement +Monetary_Sufficiency_-_Non-scarcity_based_monetary_systems +Open_Decision_Making +M2M_Networks +Open_Source_Wicca +Alternative_Academia +Janos_Abel +Social_Enterprise +In_Peer_Production,_the_Interests_of_Capitalists_and_Entrepreneurs_Are_No_Longer_Aligned +Intentional_Biology +Authenticity +Il_Manifesto_Interview_Italian_version +Willow_Garage +Freecyle_Network +Commons_Animators +Swapping_Services +Different_Universe +Open_Source_Alternative_Energy +Media_Ecology_Association +Reintermediation +ExpressPCB +International_Journal_of_Internet_Science +Guide_for_Participating_in_the_International_Open_Education_Commons +Open_Source_Science +How_Barter_Followed_and_Did_Not_Precede_the_Creation_of_Money +Open_Identity_Exchange +Disrupting_the_Continuum +Fabrication-Based_Design_in_the_Age_of_Digital_Production +Seth_Godin_on_the_Emerging_Connection_Economy +Global_Commons_Governance_Instead_of_World_Leaders +User-Generated_Worlds +Trend:_the_power_of_us +Social_Food_Cooperatives +How_To_Accelerate_Your_Internet +Central_do_Cerrado +Vendor_Relationships_Management +Linker_Logs +Cycle_of_the_Solidarity_Economy +Trebor_Scholz_on_Digital_Labor +Bastard_Culture +Open_Source_Licenses +One_Couch_at_a_Time +Micro-Volunteering +Building_Networks_for_Community_Organizers +Spread_Love_Project +Creation_Nets +Archbishop_Desmond_Tutu_on_the_Basic_Income +Open_Structures_Project +Statement_of_Separation_with_Franco_Iacomella +Juergen_Neumann_on_the_Open_Hardware_Initiative +Red_Plenty +Polyarchy +Standarrd +Robohand +Meipi_Mapping +Open_Source_Guitar_Business_Model +Open_Source_Observatory_and_Repository_for_European_Public_Administrations +Tim_Berners-Lee_on_the_Semantic_Web +International_Digital_Publishing_Forum +Resilient_Communities_Legal_Cafe +RedPaTodos/es +Transit_Labour +Eyjolfur_Guomundsson_on_Virtual_Economies +La_Fabricicleta/es +Phonemic_Individualism +Governance_in_a_Networked_World +Alertux/es +Spreadable_Media +Psychological_Commons +Free_Sharing_of_Human_Genome_Data +Open_Hardware_Movement +Collective_Consciousness +Ralf_Lippold +Open_Coin +Yochai_Benkler_on_the_New_Open-Source_Economics +Schuler,_Doug +Multicast +Curated_Subscriptions +Around_Me +V2V +Planck_Foundation +Feudal_Model_of_Computer_Security +Joichi_Ito_on_Innovation_in_Open_Networks +Earth_Constitution +Round_Table_on_Garage_Science +Marc_Joffe_on_Why_We_Need_a_Open_Source_Credit_Rating_Agency +Taimur_Khilji +Studies_in_Emergent_Order +Salvatore_Iaconesi +Towards_the_User_or_Citizen-centered_Society +Future_Melbourne_Wiki +World_Advanced_Research_Project +Museum_2.0 +Web_Scraping +Thomas_Greco_on_the_End_of_Money +From_Virtual_Commons_to_Virtual_Enclosures +Internet_Security_Resources +Credito +Replicant +David_Graeber_and_Alexa_O%27Brien_on_Assessing_Occupy +Distributed_Commons-based_Production +John_Humphreys_on_the_Availability_of_Genomics_Data +Distribution_Technologies +School_of_Open +Quality_Quids +Brian_Davey +Participatory_Marine_Protected_Area_Design +Open_Metaverse_Foundation +How_To_Contribute +Experimental_Study_of_Informal_Rewards_in_Peer_Production +De-portalization +Internet_of_Things +Antisocial_Notworking +International_Organization_of_CrowdFunding_Commissions +Moodle +Innovation_Inducement_Prizes +Rune_Kvist_Olsen_on_Leadingship +Open_Like +Ezio_Manzini_on_Grassroots_Efforts_for_Sustainable_Design +Peer_Review +Stakeholder_Participation_in_Sociotechnical_Systems_Design_and_Decision-making +Consumers_Cooperative +Cork_Food_Policy_Council +Open_Source_VOIP_Software +Growstuff +XRI/XDI +Jordan_Open_Source_Association +Digimodernism +Collis,_Charles +Property,_Commoning_and_the_Politics_of_Free_Software +Asia +James_Quilligan_on_Achieving_a_Commons_Economy +Nowtopia +FOSDEM_Videos +FibTic +BrainJams +Carlo_Ratti_on_the_Sensable_City +Social_Search +Antony_Loewenstein_on_the_Blogging_Revolution +Project_iDemocracy +Constructive_Media +Open_Content_Business_Models +Monetary_Reform +World_Wide_Opportunities_for_Organic_Farms +Land_and_Resource_Scarcity_UnderCapitalism +Media_Goblin +Distributed +Syntheism +Public_Service_User_Cooperatives +Holon +Surveillant_Assemblages +Clouds_Coop +Carolina_Botero +Global_Solutions_Networks +Lifestream +Connectivism_and_Connective_Knowledge +Scottish_Commons +Fotopoulos,_Takis +Moment_of_the_Commons_is_Now +Open_Source_Astronomy +How_Do_We_Make_a_P2P_Training_Center +Open_Patent_License +BEEx +Open_Source_Indicators +Jean-Fran%C3%A7ois_Noubel_on_Defining_Free_Currencies +LPLC +Social_Age +Illich,_Ivan +Dolores_Rojas_Rubio +Power_to_the_people +Homegrown_Cities +Open_Source_CAD_Applications +Marc_Canter_on_Mesh_Networks_for_Content +Placemaking_Leadership_Council +Heutagogy +The_Third_Industrial_Revolution +Distributed_Labor_Networks +Stefana_Broadbent_on_How_the_Internet_Enables_Intimacy +Entropie_Laboratory +Learning_Jar +Open_3D_Printed_Camera +Spiritual_Authoritarianism +Don_Tapscott_on_Crowdsourcing +WIR_Bank +Lending_Club +Four_Future_P2P_Scenarios +Stanford_Summit_2006 +Box_Sharing_Car +Peer_Participation_and_Software +Empowered_Democracy +James_Boyle_on_Open_Innovation_and_Intellectual_Property +Ubiquity_2.0 +Metaphysics_of_Value +Blog_Movement_of_the_Day_Archives_2013 +Blog_Movement_of_the_Day_Archives_2012 +X3D +John_Seely_Brown_on_the_Social_Life_of_Learning_in_the_Net_Age +Tracking_Illicit_P2P_Transactions +Findhorn +Karl_Fitzgerald +Social_Media_Content_Curation +Collaborative_Learning_in_the_College_Classroom +Rooftop_Farming +Energy_Return_on_Investment,_Peak_Oil,_and_the_End_of_Economic_Growth +Sign_relation +Commercial_Barter_Exchange +Defining_P2P_as_the_relational_dynamic_of_distributed_networks +Venezuela%E2%80%99s_Worker_Control_Movement +Activism_Without_Leadership +Innovation_Through_Collaborative_Consumption +Athina_Karatzogianni +Hackerspace_in_a_Box +Open_Source_Plant_Genetic_Resources +SocialCompare +Open_Hardware_Licenses +Chris_Anderson_on_the_Long_Tail +Proyecto_%22Imagina_un_bulevar%22/es +Collective_Intelligence_-_Jean-Francois_Noubel +Open_Information_Foundation +Remediation +Open_Privacy +Open_Channel_Foundation +Open_Domotics +Leaking_Platforms +Boundary_Spanner +Worker-Owned_Firms +Jakubowski,_Marcin +SynchroEdit +Security_Assertion_Markup_Language +Paths_Forward_for_the_P2P_Foundation_Social_Publishing_Community +Open_Hardware_Startups_Directory +Health_of_Nations +Urban_Affairs_and_the_Commons +Frankel,_Justin +Village_Commune +Buffer_Vehicles_as_Commons_in_a_Carpooling_or_Carsharing_system +New_Economics_Foundation +Integrated_Project_on_New_Modes_of_Governance +Urban_Informatics:_locative_media_and_mobile_technology_for_urbanites +Tiziana_Terranova +LaF%C3%A1brika-detodalavida/es +Money_as_Energy +Open_Source_Throwies +Empathy_and_Social_Change +OAK_Law_Project +Internet_TV_Milestones +Effort_Trading +Personal_Event_Network +Occlusive_Reality +App_Economy +Peer_to_Asset_Credit +Possibility_of_a_Pluralist_Commonwealth_and_a_Community-Sustaining_Economy +Frank_Piller_about_Mass_Customization_and_Customer_Co-Creation +Anti-Spyware_Coalition +Statement_on_the_political_economy_of_peer_production +Spectrum_Commons +My_Local_Cooperative +Michel_Bauwens_on_Ecuador,_Open_Knowledge,_and_Buen_Vivir +Green_Worker_Co-op_Academy +History_of_the_World_Social_Forum_and_the_Alterglobalization_Movement +Hunting,_Eric +Sourcing_Solutions +Julian_Assange_on_Wikileaks +Hazel_Henderson +Internet_TV +Towards_an_Agenda_of_Open_Science_in_Industry_and_Academia +Livre +Crowdsourced_Advertising +Brad_Templeton_on_Cyber-Rights +Cyclos +Polytechnic +Photovoltaics +Open_Ephys +Fused_Deposition_Modelling +Leaderless_Revolution +Etxekoop_bilbao/es +Involve +Currency +2.3_Economics_of_Information_Production_(Nutshell) +Foodscaping +Open_Source_Venture +International_Debtors_Party +Connectionism +Emergence_of_Open_News +Lifecasting +Economics_of_Open_Archives +Art_of_Anonymous_Activism +WIR_and_the_Swiss_National_Economy +Digitally_Enabled_Social_Change +Plushundert +Wikicrazia +Intellectual_Property_in_Synthetic_Biology +Tyler_Cowen_on_Culture,_Autism,_and_Creating_Your_Own_Economy +Firms_as_Market-Free_Zones +Coursera_-_Business_Model +Network_for_Self-Education +Rajesh_Makwana +Circular_Economy_Policies_for_Cities +Ekopedia +Community_Finance_Canvas +Tito_Jankowski_and_Josh_Perfetto_on_OpenPCR_and_Cofactor_Bio +Power_of_Statelessness +Peer-to-Peer_Computing_2008 +Outvesting +HTML5_Video +Douglas_Rushkoff_on_Reinvent_Real-Time_Movements +Free_Cities_Institute +Digital_Fabrication +Networked_Politics_Reader +NineSigma +Over_The_Top_TV +Douglas_Rushkoff_on_Program_or_Be_Programmed +Tom_Steinberg_on_Five_Years_of_Civic_Hacking_with_MySociety +Bitchun_Society +Smart_Grid +Homebrew +Atadiat +Co-Evolution +For_Green_Building_Design_Needs_to_Go_Open_Source +Transforming_Power +Government_Policies_in_Support_of_Open_Innovation +Massimo_Banzi_on_Distributed_Manufacturing +Transumers +World_We_Want +Internet_Is_a_Semicommons +Transparency_Is_Not_Enough +Collaborative_Cultural_Production +Swarm_of_Angels +Forward_Panic +Namecoin +Certified_Open_Hardware_Licenses +City_Street_Trust +Public_Laboratory_for_Open_Technology_and_Science +Global_Privacy_Governance +Microcontent +Explicit_Ownership_Declaration +M-PESA +Occupy_Our_Homes +Open_World_Villages +Open_MRS +BROG +Clay_Shirky_on_the_Future_of_Media +Conversation_Economy +Video_Editing +Now_Web +Richard_Baraniuk_on_Connexions_and_Global_Free_Online_Education +Automattic +David_Graeber +Eco-Digital_Commons +Art_Brock +Commons_Connection_Between_Land,_Food,_and_Money +Todd_Kuiken_on_Responsible_Science_for_DIY_Biologists +Sharing_Economy +Netography +Collective +Flow_DIY +Cross-Project_Coordination_Practices_of_Open-Source_Communities +Ocean_Fisheries_Commons +European_Counter_Network +Ayah_Bdeir_on_littleBits +Enterprise_Collaboration_Services +Chris_Corrigan_on_Living_Systems +Steven_Vedro_on_Digital_Dharma +LibreApp +Art,_Music_and_Literature_in_the_Age_of_Digital_Reproducibility +Universal_Hospitality +Distributed_Innovation_Platforms +Institute_of_Making +SoliTOOL +Is_There_a_Third_Way_Beyond_Capitalism_and_Socialism +Price_Above_Cost +Crowdfunding_Accreditation_for_Platform_Standards +Moderated_Collaboration +Desktop_Laser_Cutters_and_Engravers +Universal_Dividend_Currency +RoboEarth +Open_BTS +Sim_City +Markus_Beckedahl +Eight_Principles_for_a_Sustainability_Rights_Framework +Mobile_Distributed_Networked_Art_and_Culture_Events +Machine_Shop_In_a_Box +True_Cost_Economy +Food_Swaps +Data_and_Society_Research_Institute +Institutional_Repository +Freelan +Promise_and_Barriers_of_Community_Broadband +Rob_Carlson_on_Synthetic_Biology +Open_Everything_Fair +Collective_Presencing +Neurocommons +Acta_18_de_Enero_2012_Infoespai +Long_Tail_Mode_of_Production +Tourboarding +Open_Source_Drug_Discovery_Attribution_and_Authorship_Policy +1._Le_peer_to_peer:_nouvelle_formation_sociale,_nouveau_model_civilisationnel. +IYear +Ethics_for_the_Information_Age_(5th_Edition) +Desktop_Manufacturing +Science_3.0 +Ellen_Brown +American_Teen_Sociality_in_Networked_Publics +Participatory_Politics,_New_Media_and_Youth_Political_Action +Michael_Sandel_on_Why_We_Shouldn%27t_Trust_Markets_With_Our_Civic_Life +Speed_Matters +Sustainable_Community_Loan_Fund +Nanotechnology_and_Global_Equality +Legalizing_Urban_Farming +Crowdsourcing_to_Find_Nuclear_Hotspots_with_Safecast_Japan +Open_Views +Code_for_America +Individual_Sales_Cluster +Community_Values_as_Survival_Tool +Introduction_on_P2P_Relationality:Production,_Sociality,_Relations,_Subjects +Conversation_with_Ward_Cunningham +Sparking_A_Worldwide_Energy_Revolution +Commons_Rights +Mark_Shuttleworth_on_the_Roots_of_Ubuntu +Linux_Open_Source_Sound_Project +Request_for_Comments +Tara_Hunt_on_Pinko_Marketing +Dan_Gillmor_on_Citizen_Media +Herman_Daly%27s_Economic_Policy_Prescriptions +Peer_to_Peer_Shipping +Volker_Ralf_Grassmuck +Die_psyAllmende_und_der_Reichtum_in_den_tagt%C3%A4glichen_Beziehungen +Social_Currencies +Michael_Nagler_on_Nonviolence +Commons_Education_Consortium +Social_Bookmarks +Mapa_Subjetivo_de_Valladares/es +Open_Organization_and_the_New_Era_of_Leadership_and_Organizational_Development +Science_Commons +Comprensione_di_S%C3%A9_Attraverso_il_Peer-to-Peer_e_i_Commons +Group_Forming_Networks_in_Politics +Diamond_Touch +Reviews_of_Co-operation_in_the_Age_of_Google +Amateur_Collectives +Online_Facilitation +Eric_von_Hippel_on_User_Centered_Innovation +Nicholas_Negroponte_on_the_One_Laptop_Per_Child_project +Deliberative_Society_Process +Patronage_Economy +Intellectual_Work +David_Weinberger_on_How_the_P2P_Information_Explosion_Will_Transform_Business +Business_Alliance_for_Local_Living_Economies +Tiny_OS +Cultivo_-_Brazil +Open_Source_Publishing +Iceberg_Model_of_Explaining_Reality +European_CoWorking_Directory +Hole_in_the_Wall +Benjamin_Mako_Hill_on_Defining_Freedom +Future_of_Internet_Regulation +Robert_Scoble_and_Shel_Israel_on_Naked_Conversations +Talis +Pirate_Utopia +Cooperative_Housing_Usership_Design +Minimal_Negation_Operator +Smari_McCarthy +Trash_Wiki +Sustainable_Biodiesel_Alliance +Ucoin +Peer_to_Peer_Botnets +Social_Networking_Applications +Participatory_Effects_of_Mobile_Phones_in_Kenya +Economic_Bicameralism_and_the_Firm +Human_Ecosystems +Spiritual_Economic_Matrix +Occupy_the_Tax_Code +From_Mutual_Aid_to_the_Welfare_State +Noreena_Hertz_on_the_Role_of_Expertise_in_the_Peer_to_Peer_Era +Networked_Culture +Non-possession +Ayudinga/es +Sanford_Housing_Co-operative +UNU_seminar_on_Challenging_Intellectual_Property +Digital_Participatory_Budgeting_in_Belo_Horizonte +Reid_Cornwell +Dougald_Hine +Autarchism +Open_Source_Electrophysiology +Civilising_the_Economy +Dyne +Citizen_Scientists +Cashwiki +John_Michael_Greer_on_the_History_of_Apocalyptic_Thinking_and_its_Limitations +Thingloop +Nicholas_Christakis_on_Contagion_through_Social_Networks +Rachael_Happe_on_the_Art_of_Online_Community_Facilitation +Creating_Shared_Value +Ethan_Zuckerman_on_the_Global_Scope_of_Citizen_Media +Carlota_Perez_on_the_Theory_of_Great_Surges +VoiceXML_Forum +3GO +P2P_Energy_Grid +Democratizing_Democracy +Mass_Media_in_Transition +Giving_Circle +Para%C3%ADso_LC/es +Open_Source_Drone_Movement +Digital_Natives +Capitalists%27_Dilemma +Freedom_Box +Sentiment_Analysis +Open_Process_Search_Systems +SETI_At_Home +The_Commons_as_a_New_Paradigm_for_Governance,_Economics_and_Policy +Linguistic_Commons +Robyn_Eckersley_on_the_Possibility_of_a_Green_Capitalist_Economy +Open_SNP +Jamais_Cascio_on_the_WorldChanging_Project +Joy_Ito_on_the_future_of_blogging +Flywheel_Tech_Collective +ArkFab_Innovation_Foundation +How_the_Internet_Challenges_Dispute_Resolution +Open-Process_Academic_Publishing +Singular_Value +Commons_of_Health_and_Well-Being +Social_Networking_for_Conferences +Open_GSM_Infrastructure +Global_Voices_Podcasts +Shoutcast +Open_Research_and_Contributor_ID +Factories_Of_Knowledge,_Industries_Of_Creativity +This_Is_Me +RedPaTodos +Global_Square +Food_Sharing_Communities +Michael_Goodwin_on_Economix +Systems_Theory +From_Gutenberg_to_Zuckerberg +Hacker_Manifesto +True_Mutations +Open_Source_Geiger_Counter +LugNet +Source_Code +Iva_Marcetic +Cooperative_Resilience_in_the_Wake_of_Disasters +Building_Society +OpenLaszlo +Walter_Pengue +Zeitgeist +Open_Source_Climate_Modelling +FinTP +Open-Source_Data_Portal_Platform +Bob_Young +OccupyOS +Marka_System +Blended_Conferences +Open_Sharing_API +Eric_Frank_of_Flat_World_Knowledge_on_Open_Textbooks +Cloud_Labor +Towards_a_Political_Economy_Based_on_Distributed_Property +Kevin_Flanagan_Wiki_To_Do_List +McDonald,_Andy +Michel_Bauwens_sur_l%27Importance_de_l%27Economie_Collaborative_pour_les_Nouveaux_Territoires_Economiques +Future_Money +Non-Bank_Digital_Currency_Systems +Michel_Bauwens_on_the_P2P_Paradigm +Who_Owns_the_Mods +Sovereign_Citizens_Movements +Peer_Production,_Business,_Economics +Argentine_Social_Money_Movement +Exchange_Value +Face_Time +OER_Funding_Models_Based_on_Partnerships_and_Exchanges +Civic_Applications +Collapsonomics_Course +Brazil +Technological_Change_Is_Drastically_Reducing_the_Efficient_Scale_Size +Community_Organising_in_Athens +Electronic_Mailing_List +Lokvidya +David_Booher +Jay_Bradner_on_Open-Source_Cancer_Research +Open-Sourced_Food_Policy_Initiatives +Field_Guide_to_the_Commons +Competition +From_Journalistic_Gatekeeping_to_Citizen_Gatewatching_with_Real-Time_Feedback +Business_Models_for_Fab_Labs +Civic_Hacking_Ecosystem +FreeSharing_Network +Behavioural_Economics +Open_AI +Open_Territories +Tim_Hindle_on_the_new_corporate_organization +Mobcasting +Emergency_2.0_Wiki +Everyday_Life_and_Glorious_Times_of_the_Situationist_International +Out-Cooperating +Culture_of_the_New_Capitalism +We_Commune +IP04_Four_Port_IP-PBX +World_Constitution_and_Parliament_Association +Sunil_Abraham +(Re)localization +Umair_Haque_on_Media_2.0 +Open_Wireless +Ugo_Mattei +Open_Problems +Occupy_Archive_Project +Hackteria +User-driven +Ezio_Manzini_on_Design_for_Sharing_and_Sustainability +Scott_Constable_on_the_Deep_Craft_Ethos_and_Manifesto +Babysitting_Cooperative +Franco_Accordino_on_Policy_Making_3.0_in_the_EU_Futurium +Neal_Gorenflo +Archeodatalogy +Shareable_Goods +Moderation_Models +Rentcycle +Trevolta +Open_Mesh_Networking +Distributed_Power_Generation +Home_Nexus +X%CE%AC%CE%BA%CE%B5%CF%81%CF%82_%CE%BA%CE%B1%CE%B9_E%CF%81%CE%B3%CE%B1%CF%84%CE%B9%CE%BA%CE%AE_%CE%A0%CE%AC%CE%BB%CE%B7 +Collaboration_in_the_Absence_of_Authority +Towards_a_Liberatory_Technology +P2P_Research_Forum +Social_Design_Methods_Menu +Lemelson_Foundation +El%C3%A8utheros_Manifesto +ReUse_Connection +RSS +Open_Gaming_Movement +GVCS +Free_BSD_-_Governance +LSM.Laboratori_Social_Metropolit%C3%A0/ca +Network-Centric_Warfare +WikiPreMed_Open_Publishing_Business_Model +Fab@Home +Geo_API +Gunnar_Hellekson_on_Applying_Open_Source_Principles_to_the_US_Federal_Government +Distribution_of_Tasks +Tahoe_Least-Authority_File_System +Web_2_0_Governance_Policies_and_Best_Practices +ODF +Dugnad_Community_Volunteering_in_Norway +Mark_Rutledge_on_Cap_and_Share +Free_Software_Foundation +Seed_Savers_Exchange +History_of_Money +Instant_Messaging +Gold_Farming +Production_and_Governance_in_Hackerspaces_as_Commons-Based_Peer_Production_in_the_Physical_Realm%3F +Self-Organized_Criticality +2.1.C._The_construction_of_an_alternative_media_infrastructure +Paul_Gilding_on_How_the_Resource_Crisis_Will_Stop_Economic_Growth +Outline_of_the_History_of_Economic_Thought +Local_Dollars,_Local_Sense +Cowpooling +Action_Plan_for_Copyright_Reform_and_Culture_in_the_XXIst_Century +MAPPEO +Open_Source_Text_Analytics +Playbor +Wikis_in_Plain_English +Open_Source_Learning_Management_System +Jochi_Ito_on_MMORPGs +Modular_Innovation +Musopen +Interactive_Connectivity_Establishment +Doug_Kaye_of_PodCorps_on_Publishing_Audio_Recordings_of_Civic_Events +Reclaiming_Public_Water +Tricks_of_the_Podcasting_Masters +Microformats +NYC_General_Assembly +GeoServer +Danish_User-Centered_Innovation_Lab +Vouchor +Open_Source_Groupware +New_World_Order +Herri-ola_otxandio/es +Beyond_Adversary_Democracy +Catarse +People_Money +Rank_Algorithm +Thomas_Malone_on_Collective_Intelligence +Living_Systems +Berkeley_Open_Infrastructure_for_Network_Computing +Commotion_Router +Roger_Doiron_of_Kitchen_Gardeners_International_on_Re-Localizing_the_Global_Food_Supply +Co-Creation_Landscape +Distributism +Mixed_Media_RSS +Open_Source_Ecosystem +Organisational_People_Interaction +Category_Theory +Power-Curve_Society +Coordination_Format +Global_Autonomous_University +Stacco_Troncoso +Giacomo_D%27Alisa +Democratic_Architecture_for_the_Welfare_State +Marc_Rotenberg_on_the_State_of_Online_Privacy +Crowd_Companies +OS_Handbook +Council_Ceremony +Arquitecturas_Colectivas/es +Annotated_Bibliography_of_the_Commons +Free_Source +Idealist +NGO%27s_as_Shadow_States +Buerger_Energie_Berlin +P2P_Filesharing_Improves_Music_Sales +Time_Banks_and_UK_Public_Policy +Interstructure +Mutuality_2.0 +Panthbadodiya_Basic_Income_Experiment +Market_Anarchism +P2P_Theory_Books +Fora_do_Eixo_National_Fund +Ethana_Zuckerman_and_Solana_Larsen_on_Global_Voices_Online +Munduko_arrosak/arroces_del_mundo/es +Community-Based_Enterprise +Infrastructure_Commons_in_Economic_Perspective +James_Surowiecki +Public_Interest_Telecom_Law +Manuel_Portela +Open_Beam +Pirate_Party_International +Web-Enabled_Research_Commons +Stonehenge_and_the_Patriarchal_Counter-Revolution +Morality_of_Moneylending +Claudia_Neubauer_on_Science_for_the_Citizens +Column:_Toekomstmuziek_p2p +Shield_of_Achilles +Mass_Bespoke_Post-Industrial_Production +Divided_Nations +Creative_Commons_in_Open_Design +Why_Kids_Play_and_What_They_Learn +Nathan_Letwory_on_Blender +Towards_a_Critique_of_the_Attention_Economy +Michel_Bauwens_at_Ethical_Economy_Summer_School +Stefano_Serafini_on_the_Emergence_of_Biourbanism +Why_Open_Hardware%3F +Wave +OER_Sponsorship-Based_Funding_Model +Practical_Guide_to_GPL_Compliance +Open_Source_Parametric_Design +Peer-to-Peer_Power_Economy +Open_Source_Accomodation +Laser_Cutters +Open_MicroBlogging +Carolyn_Lee +Argentine_Assembly_Movement +Battle_for_the_Life_and_Beauty_of_the_Earth +Mark_Whitaker_on_the_Bioregional_State +Physics_of_Information +Small_Plot_Intensive_Farming +De_welvaartstaat_is_dood,_lang_leve_de_partnerstaat +Intern-Occupation_Communication_Field_Report +WSIS_Tunis_Agenda_for_the_Information_Society_2005 +Crowdsourced_Translation +Alternative_Currencies_and_Monetary_Systems_Comparison_Chart +Modularity_in_Open_Source +On_the_Historical_and_Future_Connection_between_Peer_Production_and_an_Ethical_Economy +Jascha_Franklin-Hodge_on_How_Obama_Really_Did_It +P2P_Autonomous_Media_Infrastructure +Stacy_Mitchell_on_Citizens_Movements_and_Policies_for_Relocalization +Synthetic_Inequality +Solidarity_Economy_Alternatives_for_People_and_Planet +Statist_Collaborative_Production +Spanish_Revolution +Steam_Engine_Innovation_and_Patents +Social_Economic_Environmental_Design_Network +Quilligan_Seminars_on_the_Emergence_of_a_Commons-Based_Economy +Online_Customization_Toolkits +ECC2013/Support_Team +Manifoldness +Resources_Futures +IBM_Idea_Jam +Alex_Pentland_on_Reality_Mining_for_Network_Signals +Karel_de_Vriendt_on_Open_Standards_and_Free_Software_in_European_Public_Bodies +Next_Regenerative_Industrial_Age +Towards_the_Good_Global_Society +Open_Identity_and_Identity_Brokers +Lata_Muda/es +GOSLING +From_the_Basic_Income_to_the_Political_Movement_in_Europe +Open_Microblogging +Future_of_the_Internet_Visionaries +Digital_Ego +Cooperative_Auto_Network +Cow-Share +EMoped +Occupy_and_Demand +Relation_(mathematics) +Hugh_McGuire_on_the_Future_of_Books +Crisis_Mapping_Videos +Simone_Arcagni_and_Simona_Lodi_on_the_Smart_City_Manifesto +Distributist_Proposals_for_a_New_Guild_System +Science_Shops +Redesigning_Distribution +Access_Controlled +Commons_at_Sea +Integrative_Learning_and_Action +Social_Media_and_Mobile_Strategies_for_the_Travel_Industry_2011 +Brian_McNair_on_Using_Chaos_Theory_to_Understand_the_Digital_Revolution +Business_Week_on_the_Business_of_Podcasting +Recommended_Books_on_History +EcoBarrios +Commons-Based_Strategies_and_the_Problems_of_Patents +Self-Management_in_the_Morning_Star_Tomato_Processing_Company +Space_Camp +Fabricatorz +Practice_in_Participation +Biophysical_Economic_Theory +CollabNet +Open_Source_Developers_Club +Free_%26_Open:_Local_At_Best +Public_Information_as_a_Commonsin_the_Case_of_ERT_Public_Television_Archive_in_Greece +Co-Teaching_Teams +FLOSS_Art +Internet_and_the_Demmocratization_of_the_Public_Sphere +Local_Data +Amateur-Driven_Value_Creation +Twelve_Contemporary_Commons_Observations +Virtual_Economics +Fuzzyness +Q-Tools +Sharewiki +Real_Estate_4_Ransom +Maven +Global_Biodiversity_Information_Facility +Tsewang_Norbu +France +DIY_Cellphone +Complexity_Theory +Mobile_Social_Software +Geert_Lovink_on_the_Critique_of_Social_Media +David_Weinberger_on_Leadership_in_the_Information_Age +Ukraine +Handwave_Skin_Conductance_Sensor +Fabio_Barone +Citizen-Owned_WiFi_Meshwork +African_Digital_Commons +QR_Code +Regional_Economic_Communities +In_a_Dematerialized_Economy,_Sharing_is_Better_than_Owning +Development_Trust_Association_(UK) +Galloway,_Alexander +Caritas_in_Veritate +Amsterdam_Manifesto_on_Data_Citation_Principles +Internet_Regulation +Trubanc +Ethical_purchasing_groups +Online_Conferences +Inclusional_Learning +Guernsey%27s_Monetary_Experiment +Otherways +Legal_Landscape_of_Social_Enterprise_and_the_Sharing_Economy +100_Point_Open_Source_Projects +Le_Mie_Elezioni_-_Italian_documentary +Social_Sources_of_Learning +Assessor_of_the_Commons +DebtRank +Keller_Easterling_on_the_Protocollary_Power_of_Organized_Space_and_Urbanism +Koii/es +Online_Political_Videos +Collapse +Save_Orphan_Works +P2p-ed-evoluzione-umana +Peer_to_Peer_Production_as_the_Alternative_to_Capitalism +Respect_Trust_Framework +Arthur_Berman_on_the_Magical_Thinking_on_Fracking +Collaborative_Research_at_the_Myelin_Repair_Foundation +Goldfarming +World_Passport +Laws_of_Identity +Coordination_Theory_and_Collaboration_Technology +E-Science +Civic_Conversations_vs._Commercial_Conversations +Rethinking_Government_in_the_Light_of_the_Emerging_Organisational_Principles_of_Online_Collective_Action +PayPal +Community-Curated_Design +Institutional_Revolution +Open_Media_Network +Occudoc_on_the_American_Autumn +Broken_Links_List +Open_Reflex +Ginkgo_BioWorks +Share_Collaborative_Ideas_ENact_Cooperative_Efforts +Reclaiming_Public_Water_Network +Decomposable_System +Hierarchy_in_the_Forest +Open_Source_for_Civil_Society_Organizations +Village_Telco +Did_Someone_Say_Participate +Folksonomy_Enrichment +Social_Production_of_Media +Internet-Enabled_Consumer_Movements_and_Campaigns +Is_Bottom-Up_Lawmaking_Possible_and_Desirable +Some_remarks_regarding_the_contributions_of_Michel_Bauwens_to_the_activities_of_the_University_of_Amsterdam +Michel_Bauwens_Explains_the_FLOK_Transition_Project_to_an_Integral_Theory_Conference +Iyengar,_Prashant +P2P_Money +Open_Desks +Michael_Wesch_on_the_Shift_to_Folksonomies +Open-source_colorimeter +Big_Brother_Bio_Farming_BBBfarming/es +Open_Wireless_Movement +Introduction_to_3D_Printing,_FabLabs_and_Hackerspaces +Moore%27s_Law +Public_Geodata +NetBlazr +Majestic-12 +Danny_Hills_on_Freebase +David_Bollier_on_the_Global_Commons_Movement +Jeremy_Rifkin_on_the_Emphatic_Civilisation +Jrgen_Vig_Knudstorp_on_the_Open_Sourcing_of_Lego +Maslow_Hierarchy_of_Needs_and_Online_Communities +Access_To_Knowledge +Voluntaryism +Autonomous_Research +Poor_Because_of_Money_-_Strohalm_Foundation +Europa_koploper_bij_maken_gratis_software +Pamela_Project +Cultural_Creatives +Corporate_Espionage_Against_Nonprofit_Organizations +Mitch_Altman_on_the_Hackerspace_Movement +Logistical_Media +Open_Education_and_the_Commons +Crowd_IPR +Management_by_Objectives_-_Feudal_Aspects +Leftover_Swap +John_Heron +Paul_Nicholson +Potential_Discussion_Topics_at_Contact +Mass_Amateurization +David_McNally_on_Successfully_Resisting_Austerity +Biopower +Clay_Shirky_on_the_Potential_of_Cognitive_Surplus +Qui_Sommes-Nous +Open_Source_Manufacturing +Sorting_Things_Out +Redistribution_Markets +LibraryThing +F-Droid +Global_Politics_of_Interoperability +Marco_Giustini +Francesca_Pick +Estimation_of_Costs_in_a_Post-Capitalist_Economy +Conversational_Aspects_of_Retweeting_on_Twitter +Cravens,_Nathan +Marvin_Brown_and_Sm%C3%A0ri_Mc_Carthy_on_Democracy_and_the_Commons +Hi!_plaza/es +Peer-to-peer_de_producci%C3%B3n_y_la_llegada_de_los_bienes_comunes +Shann_Turnbull_on_Life_Boat_Money +Cell-Veillance +Mediacology +Media_Permaculture +Seth_Wheeler_on_the_Refusal_of_Work_and_Post-Fordist_Subjectivity +Bioeconomy +Rational_Regulation_of_Material_Exchanges +Rise_Up +For_the_Win +Untraceable_Digital_Cash,_Information_Markets,_and_BlackNet +Vladimir_Cvijanovi%C4%87 +Margrit_Kennedy +Recommended_Open_Design_Policies_for_the_European_Union +Applied_Sustainability +BioLinux +Local_Mobile_Meshnets +Present_Shock +Permanent_Culture +BioTorrents +Circular_Exchange_Trading_System +How_WikiLeakers,_Cypherpunks,_and_Hacktivists_Aim_to_Free_the_World%E2%80%99s_Information +P2P_Search +Small_and_Medium_Enterprises_Rating_Agency +Mobile_Active_Conference +Rupert_Sheldrake_on_Recent_Empirical_Evidence_for_the_Extented_Mind_Hypothesis +Free_Online_Documentaries +Personal_Manufacturing +Bells_and_Spurs +Berlin_Commons_Conference/Workshops/CommoningEnclosure +Evolution_of_Individual_and_Collective_Value_Systems +Luis_Gustavo_Lira +Street_Performers_Protocol +Free_Culture_movement +Organizational_Transformation_in_the_Digital_Economy +GigaTribe +Virtual_Economy +Video_Search +Bifo_on_How_the_Cognitivat_Will_Lead_to_an_Unprecedented_Socio-Cultural_and_Informational_Revolution +Unemployed_Exchange_Association +Theory_X_vs_Theory_Y +Open_Access_Organizations +Open_Transact +Electronic_Waste +Tiqqun +Collective_Sense-Making_as_Negotiated_Agreement +Managing_the_Health_Commons +WikiNewsletter +Object-Oriented_Programming +Open_Access +Circular_Gift +Attention +Vandana_Shiva_Interviewed_on_Traditional_Knowledge,_Biodiversity_and_Sustainable_Living +Global_Food_Movement +Self_Supporting_Village_Sweden +John_Henry_Holland +Viconian_Civilizational_Cycles +Sharism_Banking +Values_for_the_left_in_an_age_of_distribution +Open_PCD +Slow_Democracy +Study_on_the_Economic_Impact_of_Open_Source_software_on_Innovationand_the_Competitiveness_in_Europe +Connective_Knowledge +Liquidity_Network +Open_PCR +Thomas_Malone +PeerCDN +Wireless_Commons_License +Center_for_Economic_and_Social_Justice +Digital_Engagement_Governance +Legal_Problems_Related_to_User-Generated_Content +Technologies,_Potential,_and_Implications_of_Additive_Manufacturing +Open-Sourcing_Life_Science +Peter_Waterman_on_on_Twenty_Years_of_International_Labour_Computer_Communication +Thomas_Sutton_on_Open_Design_and_Innovation_via_FrogMob +Open_Ecology +Power_of_Nightmares +Howard_Rheingold_on_Peeragogy +Playful_Multitude +Craig_Newmark_on_Customer_Co-development_at_Craigslist +Collective_Insight +Forms_of_Economic_Organization +Crisis_Mapping +Labor_Tech +Malcolm_Gladwell_on_the_Web_2.0_and_the_Tipping_Point +Digital_Divide +INames +Planetary_Public_Policy +Cooperative_Banks +Open_Development +Acampadasol +15Mpedia.org/es +Worldwide_Public_Goods +Schank,_Roger +Quadrature_du_Net +Key_Theses_on_P2P_Politics +Dancing_in_the_Streets +Digital_Curation +Accessibility +Design_and_Access_for_Large_Information_Spaces +Encampment_Tactic +MeSch +Commons_and_Primitive_Accumulation +Governance_through_Principles +Degrowth_Manifesto +Prashant_Iyengar +Valun_Mutual_Money_Plan +GeoTIFF +Organizing_Against_Debt +Yards_to_Gardens +David_Brin_on_the_Transparent_Society +First_Manifesto_of_the_Rossio_Square_Camp_in_Lisbon_of_the_22nd_of_May_2011 +FSW_2011_Panel_on_Implementing_an_Interoperable,_Privacy-Aware_and_Decentralized_Social_Network +Allocation_of_Collaborative_Efforts_in_Open-Source_Software +Faceted_Identity +Peer_Learning +Joanna_Macy_on_the_Great_Turning_to_a_Life-Sustaining_Civilization +Colin_Crouch_on_Post-Democracy +Low-profit_Limited_Liability_Company +Global_Learning_Objects_Brokering_Exchange +Non-Profit_Carsharing_Cooperatives +Serious_Gaming +Foster_Provost_on_rivacy-friendly_Social_Network_Targeting +Cryptoparty_London_Notes +Neoclassical_Economics +Andy_Jordan_on_the_Coming_Currency_Revolution +McKenzie_Wark_on_Desire_beyond_Scarcity +Micah_Sifry +Michel_Bauwens_on_the_Conditions_for_the_Radicality_of_the_P2P_Paradigm +Lub,_Sergio +4.1.F._New_lines_of_contention:_Information_Commons_vs._New_Enclosures +Wiki-historiak/eu +Cutting_Edge +P2P_Foundation_Board_of_Directors +Thomas_Greco_on_the_History_of_Money_and_Debt +Peter_Buckingham_on_the_Digital_Media_Revolution +Born_Global_Companies +SETI@Home +Libre_Game_Wiki +United_States +Copylove +Connectivity_-_Typology +Wikiversity +Declaration_on_Libre_Knowledge +Param_Vir_Singh_on_the_Dynamics_of_Online_Expertise_Sharing_Communities +Software-defined_Radio +Blog_Project_of_the_Day_Archive_2012 +Blog_Project_of_the_Day_Archive_2013 +Share_Tompkins +Johanna_Blakely_on_Fashion_and_IP +Fran%C3%A7ois_Grey_on_the_Implications_of_Citizen_Cyberscience +Reclaim_the_Fields +Dorothea_Salo%27s_Guide_to_the_Different_Flavors_of_Openness +STEP +All_Street +How_the_Internet_is_Transforming_the_U.K._Economy +Biolabour +Tyranny_of_Structurelessness +Monetary_Relativism +Lisa_S +P2P_Value +Open_Source_Garden_Monitoring_System +Visible_Government +How_Citizen_Investors_are_Reshaping_the_Corporate_Agenda +Open_80211s +Barefoot_Colleges +Revenue_Watch +LibreCAD +Disintermediation_of_the_Content_Production_Value_Chain +Clay_Shirky_on_How_Facebook_and_Twitter_Are_Changing_the_Middle_East +Siftables +Ad-Hoc_Teams +Commons_and_their_Role_in_the_Ecological_Transition +Lisa_Epstein_on_CyberBullying +Frischmann,_Brett +Cul-De-Sac_Commune +Intellectual_Altruism +Flaws_in_the_theory_of_globalization +Steeply_Graduated_Income_Taxes +Freelancers_Union +Cooperation_Commons +Geneva_Declaration_on_the_Future_of_the_World_Intellectual_Property_Organization +Industrial_Radical +Vinay_Gupta_on_Ending_Poverty_With_Open_Hardware +Eriksson,_Mats +Epistemology_of_Wikipedia +Fork_Freedom +Castells,_Manuel +Case_Studies_of_Community_Energy +Maria_Barelii +Mutually_Assured_Production +Watershed_Management_Group +Codex_-_and_Other_Edgeworks_Machinimas +Jorge_Zapico +Democracy_Experiment +Peter_Cochcrane_on_the_Wireless_Revolution_and_Open_Spectrum +Global_Open_Data_Initiative +Open_Distributed_Version_Control_Systems +Co-operative_Business_Models_for_Open_Data +One_Man,_One_Cow,_One_Planet +DOCC +Atmospheric_Trust_Litigation +Post_Growth_Economics +Community-Owned_Corporation +Why_Peer_to_Peer_Currencies_will_Grow +Red_Pepper_P2P_Interview +XFN +Real_Utopias_Project +Jimmy_Wales_on_his_experience_with_the_Wikipedia +PC_to_Phone_Telephony +Dada_Maheshvarananda_about_Prout +Grass_Commons +Sociology_of_Emergences +Ten_Theses_About_Global_Commons_Movement +Phone_Co-op +Participatory_Media_and_Collective_Action +ETI_Base_Code +Catalytic_Communities +Open_Club_Mate +Money_for_a_Gift_Economy +Truth_table +Nancy_Cassidy_on_the_Cooperative_Model +ACTA +Music_Discovery_Systems +Spotify +On_the_Dispersal_of_Power_from_the_State_to_Society +Commonties +Map_150 +Production_of_the_Commons_and_the_Explosion_of_the_Middle_Class +Global_Villages_Workshop +Open_Licensing_for_Scientific_Innovation +Comparing_Commercial_Open_Source_Companies_with_Traditional_Software_Companies +Community_Farming +Open_Content_Licenses +Ana_de_Ita +Burning_Man_-_Governance +SparkFun +Drumbeat_Festival_2010 +Open_Source_Control_Systems +Identity_2.0 +Daniel_Solove_on_the_Future_of_Reputation +Societal_Collective_Intelligence_Feedback_Loops +Open_Source_3D_Printing_as_a_Means_of_Learning:_An_Educational_Experiment_in_Two_High_Schools_in_Greece +World_of_Peer-to-Peer_Computing +Four_Principles_for_a_Just_Transition_to_a_Sustainable_Economy +Solidarity_Economy_as_an_Alternative_development_Strategy +Interview_with_Catherine_Austin_Fitts +Attraction_Economy +Stateless_Common_Property +Six_Degrees +Crisis_of_Value_and_the_Ethical_Economy +Copyrights_and_Copywrongs +Antigoras +Bolo_Bolo +Nicholas_Carr_on_the_Big_Switch_towards_Cloud_Computing +Open_Works,_Open_Cultures,_and_Open_Learning_Systems +%CE%97_%CE%B1%CE%BD%CE%AC%CE%B4%CF%85%CF%83%CE%B7_%CF%84%CE%BF%CF%85_%CE%BF%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%BF%CF%85_%CE%BA%CE%B9%CE%BD%CE%AE%CE%BC%CE%B1%CF%84%CE%BF%CF%82 +Anarchism_as_a_Mode_of_Production +Verslag_P2P-TV_Workshop +Elizabeth_Losh_on_Social_Media_in_the_Obama_Administration +Commons_Sourcing +Tragedy_of_the_Anti-Commons +Theft_Law_in_the_Information_Age +Thingiverse +Transmediale_2011_Panel_on_Open_Forms_of_Politics +Readymix_Architecture +Open_Market_Sustainability +REconomy_Project +Filsharing_is_Manufacturing +Social_Bookmarking +Sustainable_Local_Entreprise_Models +Psychological_Commons,_Peer_to_Peer_Networks_and_Post-Professional_Psychopractice +Laconica +Fair_Trade_Music +Peter_Fein_on_What_Comes_After_Democracy +Craftivism +Off_the_Grid +Hashtag +Exp%C3%A9rimentations_politiques +How_E-Government_is_Changing_Society_and_Strengthen_Democracy +After_Capitalism +Douglas_Rushkoff_on_the_End_of_the_Narrative +Janelle_Orsi_on_Legal_Challenges_to_Collaborative_Consumption_and_Sharing +Ebooks +Knowmads_Business_School +Strategic_Phasing +Free_Access_Online_Archives +Piracy_and_Sharing_in_China_and_Asia +Humanitarianism_in_the_Network_Age +Neuro-Economics_and_Cooperation +Friendly_Society +Counterparty +Support_Economy +Hacking_Ideologies +International_Project_for_a_Participatory_Society +Open_Mobile_Consortium +P2P_Motivational_Imperatives +Purpose-Driven_Media +Environmental_Profit_and_Loss_Account +Interview_with_Jeff_Jarvis_on_the_Loss_of_Control_by_the_Media +Sebastian_Gallehr +Open_Architecture_Strategies +Anonymous_Blogging_with_WordPress +Social_Quality +School_of_the_Commons_-_Catalonia +Small,_Local,_Open_and_Connected_As_Way_of_the_Future +P2P_TV +Wouter_Tebbens +Marcin_Jakubowski_on_Open_Farm_Tech +Evolution_of_Egalitarian_Behavior +International_Association_of_Public_Participation +SoLAr/es +Adrian_Bowyer_on_the_RepRap_Project_Lab +Radio_Activism_Transmediale_2011_Panel +Community_of_Those_Who_Have_Nothing_in_Common +Exteriority_of_Relations +Film_Farming +Occupations_Report +Copyright_Principles_Project +Reasonable_and_Non_Discriminatory_Licensing +Closed_Hardware +Evolutionary_Reconstruction +Ad_hoc_On_Demand_Distance_Vector +New_Media_Literacies +/es +The_Leaderless_Revolution +Economics_in_a_DRM-Free_World +Senator_On-Line_-_Australia +Capital +What_is_the_Secret_behind_Contagious_Behaviour +P2P-based_Search_Engine +CNC_Milling +Brown,_John_Seely +Ideas_for_a_Sustainable_Economy_in_a_World_of_Finite_Resources +Xat +Bill_McKibben_Looks_to_the_Commons_as_the_Solution_to_Global_Climate_Disruption +Lorea +Story_of_the_Finance_Innovation_Lab +OWS_currency_competition +South_Pacific_Center_for_Human_Inquiry +Sixteen_Key_Technologies_for_an_Open_Habitat +Commercial_Providers_of_Infrastructure_for_Collective_Action_Online_-_Case_Studies_Comparison +World_Wide_Web_Foundation +Metaverses +Future_Forward_Institute +Everything_Open_and_Free +Free_Hardware_License +Introduction_to_the_New_World_of_Alternative_Currencies +IMesh +Bankrupting_Nature +Traficantes_de_Sue%C3%B1os +Pad2Pad +Manifesto_for_the_Noosphere +OWS_Working_Groups +City_Camp +Consumo_Colaborativo/es +Chris_Willis_on_the_New_Media_Ecosystem +Good_Living +Intentional_Hand +Peer_to_Peer_Energy_Trading +Geospatial_Revolution_Project +Post-Politics +Andrew_Lang +Open_Source_Powder-Based_3D_Printer +Toward_a_Global_Social_Contract +Vera_B%C3%BChlmann +Tine_de_Moor +Elphel +Understanding_the_Social_Movement_as_Meme +Open_Photons +Open_Source_Textbook +Nancy_White_on_Communities,_Networks_and_What_Sits_in_Between +Third_Oekonux_Conference +Replicators +Participative_Public_Services +Petros_At_FreeLab +State +Ellen_Brown_on_the_Economics_of_the_Credit_Commons +Zapfab +Abraham,_Sunil +Cartography_2.0 +Free_Cinema_initiative +Critical_Reflection_On_The_Three_Pillars_Of_Transdisciplinarity +Political_Power_of_Weak_Interests +Neighborhood_Renting_and_Loan_Systems +Happiness_Ethic +Open_Source_Bounties +NGOs_in_Thailand +Occupy_Live_Streams +Dale_Carrico%27s_Eight_Propositions_on_Taxation +Participatory_Spirituality +I-Open +Haptic_Architects_on_Open_Source_Design +Josh_Wolf_on_Prison_Blogs_and_Freedom_of_Speech +Private-Collective_Innovation_Model +Banking_Without_Banks +Philippe_Aigrain_on_the_Future_of_Democracy +Shrinkwrap_and_Clickwrap_licenses +Universal_Declaration_of_the_Rights_of_Mother_Earth +Yochai_Benker_on_Collective_Intelligence +Creating_New_Money +David_Korten_on_Monetary_Reform +Fractal_Sovereignty +Second_Axial_Evolution +Digital_Bodies +Hive_Networks +Open_UDC +%CE%A0%CF%81%CF%89%CF%84%CE%BF%CE%B2%CE%BF%CF%85%CE%BB%CE%AF%CE%B5%CF%82_%CF%83%CF%84%CE%B7%CE%BD_%CE%95%CE%BB%CE%BB%CE%AC%CE%B4%CE%B1_%CE%B1%CF%80%CF%8C_%CF%84%CE%B1_%CE%BA%CE%AC%CF%84%CF%89 +Free_Legal_Web_Manifesto_-_UK +OSHW_2010_Summit_Panel_on_Open_Manufacturing_Beyond_DIY +Open_Content +Activity_Stream +Towards_a_Rights_and_Values_Based_Global_Economy +Donor_Pooling_Model +Generativity +Free_and_Open_Source_Licenses_in_Community_Life +Stereolithography +Kloschi_on_the_Freifunk_and_Free_Radio_Movement +Cloud_Manfacturing +Numly +Participatory_Economics +Triarchy_of_Organizational_Forms +New_Synthesis_Framework_for_Public_Policy_Formation +Open_Action_Network +La_An%C3%A9cdota/es +Public_Participation +Twestival +This_Land_is_Our_Land +Crowdfunding_for_Social_Change_Projects +Blog-based_Peer_Review +Web_3G +Fair_Pensions +State_of_Free_Software_in_Mobile_Devices +Descolando_Ideias_-_BR +ICTs_for_a_Global_Civil_Society +B_Corporations +GNUrho +America_beyond_Capitalism +Open_Money +Smart_Grids +Rick_Wolff_on_the_Systemic_Roots_of_the_Financial_Meltdown +Democracy_of_Objects +Social_Habitat +Tatiana_Bazzichelli_on_the_Art_of_Networking +Locker_Project +Komunal +Free_Textbook_Publishing +Value_and_Currency_in_Peer_Production +Consociational_Democracy +George_Siemens_on_Massive_Open_Online_Courses +Small_World_Podcast +Building_Web_Reputation_Systems +Hamaiketakoak_sarean/es +Massive_Online_Open_Classes +Bubble_and_Beyond +Raven +Fleeing_Vesuvius +Translocalism +Hypercar +Viewer-oriented_Web +Lisinka_Ulatowska +Data_Control +Arab_Hackerspaces +Brett_Scott +Gramdan_Village_Gift_Movement +Solid_Modeling +Panel_on_the_Politics_of_Squares_and_the_Re-emergence_of_the_Individual_Activist +Open_PICC +Secushare +Exploring_the_Boundaries_of_Hypermobility +Legal_Issues_Primer_for_Open_Source_and_Free_Software_Projects +Alex_Grech +Virno,_Paolo +Managing_without_Growth +Open_Source_War +Brigitte_Kratzwald_on_the_Notion_of_Time_to_Change +Authoritarian_Blight_in_Spirituality +LastFM +Respect_Network +Policy_Toolkit_for_Public_Involvement_in_Decision_Making +Forest_Commons +Commons_and_Citizenship +Just_Transition +Coordination_Game +Hacking_the_Food_System +Free_School +Studio_Share +Asociaci%C3%B3n_Conocimiento_Comunal/es +Wiki_loves_monuments/es +Open_Data_Commons +Samer_Hassan +Who_Owns_the_Sky +Makers_(by_Doctorow) +Libre_Resources +Ethical_Life_through_Web_2.0 +Keep_DRM_Out_of_HTML5_Standards +Liberation_Management +Good_Faith_Collaboration_as_the_Culture_of_Wikipedia +Silija_Graupe +IKarma +Social_Factory +Personal_Democracy_Forum +Cost_Recovery_Mechanisms_for_Complementary_Currencies +Jay_Standish +Problems_and_Strategies_in_Financing_Voluntary_Free_Software_Projects +Guide_to_How_to_Build_a_Community_Website +Future_of_Reputation +Resilient_Livelihood +Cooperative_Transitions_to_a_Steady-state_Economy +Water_Commons_Case_Studies +Social_Media_Revolution +Free_Software_Principles_for_Artists +ECC2013/Practical_Information +Open_Government_License +Alan_Moore_on_Community_and_Identity +Natalie_Kuldell_and_Reshma_Shetty_on_Do-It-Yourself_Biology +Open-Source_Software_City +Steve_Keen_on_Debunking_Economics +Canadian_Coalition_for_Self-Directed_Learning +P2P_Foundation_Email_List +IDENSITAT/es +Copyleft_and_the_Theory_of_Property +Muhammad_Yunus_on_the_Concept_of_the_Social_Business +Indaba_Music +Digital_Strategy +Broadcast_Machine +Citizen_Media +Rule_of_Law_Engine +Defining_the_Commons +1._Introduction +Verslag_over_een_lezing_van_Michel_Bauwens +Six_Framework_Conditions_for_Global_Systemic_Change +-_Writeable_Web +Two_Levels_of_Change +P2P-Next +Lost_Science_of_Money +Open_OEM +Joseph_McCormick_on_the_Democracy_in_America_campaign +Commons_%E2%80%93_Governance +Global_IP_Alliance +Thierry_Maillet_sur_les_Consommacteurs +Cambrian_House_Business_Model +Landscape_Commons +Interview_with_Kevin_Rose_of_Digg +Cooperative_Transitions_to_a_Steady-State_Economy +Social_Web +Crowdsourced_Patent_Research +Florencio_Cabello_on_P2P_Broadcasting,_Mesh_Networks_and_the_Democratization_of_the_Radio_Spectrum +Common_Good_Finance +Technology_Coops +BioPunk +Da_Costa,_Beatriz +Freecycle +Governance_Rights_Typology +Mike_Munger_on_Love,_Money,_Profits,_and_Non-profits +Social_ID_Bureau +We_Are_Makers +Ecosystem_Commons +Investigative_Reporting_on_the_Web +Pinoccio +Production_Commons +Adam_Greenfield_on_Everyware_and_Ubiquitous_Computing +Cyberconflict +Not_For_Profit +P2P_Donation_Finance +Occupy_Marines +Procter_and_Gamble_Open_Corporate_Innovation_Challenge +Six_Proposed_Policy_Principles_for_Scaling_Up_Agroecology +Medicines_Patent_Pool +Community_CarShare +FOSS_Governance_Fundamentals +Virtual_Money_in_Electronic_Markets_and_Communities +Design_of_Money_is_not_Neutral +Cluenet +The_Five_Literacies_of_Global_Leadership +Socialism_2.0 +Ikea_Hacker +Croation-Language +Water_Commons +Fair_Software +Samuel_Bowles +Employers_Alliances_in_France +Ariel_Waldman_on_Spacehack +Peak_Social +FLOSS_Manual_for_Circumvention_Tools +%CE%9F%CE%B9_%CE%94%CF%8D%CE%BF_%CE%9F%CE%B9%CE%BA%CE%BF%CE%BD%CE%BF%CE%BC%CE%AF%CE%B5%CF%82 +Springfield_Remanufacturing_Company +Automenta +Aternatives_to_Emergency_Medical_Services +Internet_of_People_for_a_Post-Oil_World +Contraction_and_Convergence +Economics_of_Coworking +Ownerless_Economy +Shared_Squared +Beyond_Plutocracy +RTI_Rating +Participative_Design_of_Work +Cybersin +Islamic_Banking +Kaboodle_Social_Shopping_Demo +Commons-Based_Provisioning_of_Security +LogiLogi +Common_Goods_in_Europe +Introduction_to_Self-Hacking +Tipping_Point +Tony_Arcieri_on_the_Cryptosphere_Project +Marrk_Pagel_on_the_Natural_History_of_Human_Cooperation +Towards_a_Characterization_of_Crowdsourcing_Practices +Jeremy_Rifkin_on_the_Third_Industrial_Revolution +Nick_Carr_against_Web_Utopianism +Open_Source_Vedas +Contentious_Citizens +From_Common_Goods_to_the_Common_Good_of_Humanity +Netexplorateur_Observatory +HackBo/es +Statement_on_the_Political_Economy_of_Peer_Production +Hackerspaces_in_Vienna +Commons-Based_Society +Carne_Ross_on_the_Leaderless_Revolution +Information_Cascades +V2V_Video-Sharing_Network +Commons_and_their_Governance +Jonathan_McIntosh_on_Indymedia +Spiky_World_vs_Flat_World +Scholarly_Revolution +Community_Intelligence +Games_as_P2P_Utopia +Toward_a_Commons-based_Framework_for_Global_Negotiations +Exclusive_Disjunction +Property_for_People,_Not_for_Profit +Barter_Trade +P2P_Foundation_Wiki_Category_Usage +Cynefin_Framework +Widgets +Community_-_the_book +Collaborative_Economy +Lucas_Plan_Requirements_for_Human_Technology +Project_Label +Prosumer +Energy_Crowdfunding_Platforms +Peer_to_Peer_Blessing_Community +Food-Sensitive_Planning_and_Urban_Design +Copyright_is_Not_a_Right +Marginal_Utility_School_of_Economics +Labor_Money +Money_and_the_Crisis_of_Civilization +Do-It-Yourself_Biology +New_Significance +Donate +Equity_Crowdfunding +Legal_Commons_Organisational_Constitutions_Archive +Open_Source_Robotic_Surgeon +Crowdfunded_Pre-Payments +Howard_Rheingold_on_Smart_Mobs_for_Democracy +OpenWear_Interview_with_Michel_Bauwens +Making_It_Personal +Las_Indias/es +Open_Sound_Group +Life_Hack +Open_Hardware_Conferences +Amara%27s_Law +Internet_and_the_Democratization_of_the_Public_Sphere +Hamlet_Economy +CloudFS +Crafting_Community +Bill_Potter_and_Michael_Best_on_Open_Access_Journals_2.0 +Richard_Florida_on_the_Creative_Class +Derechos_Digitales +Lack_of_Social_Dimension_in_Social_Media +Internet_Collective_Action +Marvin_Brown_on_Civic_Liberty_vs._Property_Liberty +Brazil_Argentina_Proposals_for_the_WIPO_Development_Agenda +Btetree +2nd_International_Conference_on_Complementary_Currency_Systems +Mike_Linksvayer_on_the_Creative_Commons +Salmon_Protocol +Cultural_Theory +Understanding_Peer_to_Peer_as_a_Relational_Dynamics +Mastercoin_Foundation +Steve_Waddell +History_of_the_Internet_and_the_Digital_Future +Crowd_Contests +Self-Service_2.0 +Iterating_towards_Openness +Immaterial_Aristocracy +Open_Commercialization +Ayllu +Glocalization +Lisa_Gansky_and_Adam_Werbach_on_How_P2P_and_Sharing_Are_Reshaping_Our_World +London_Food_Revolution +Kevin_Marks_on_the_Social_Cloud +Joe_Trippi_on_Obama_as_Internet_President +Open_Source_I-Bills +Sustaining_Time +Financial_Permaculture_Worksheet +Mako_Hill,_Benjamin +Sustainable_Growth_in_a_Post-Scarcity_World +Crime_Sourcing +To_Do_Map +A2K_Movement +Self-Generating_Practitioner_Community +Masqueunacasa +Seven_Generation_Sustainability +Open_Source_Observatory_and_Repository +Localized_Exchange_Communities +Complementary_Currency_Software +Progressive_Initiative_-_South_Africa +Open_Learning +Patriarchy +Shareable_Housing_Policies +OpenID +How_To_Fix_the_World +Anti-rivalry +Modern_Poland_Foundation +Lagaleriademagdalena/es +Asset-Based_Community_Development_Institute +Patterns_in_Network_Architecture +Open_Handhelds +Value_Standard +Good_Stove +Hawala +Vaibhav_Domkundwar_on_Smart_Product_Review_Aggregators +Intentional_Community +Digital_Movement_Singapore +Green_Technology_Network_List_-_Egypt +Stakeholder_Cooperation +Alternative_Schools_in_Brazil +Interviewing_Threadless +Commons_and_Copyright_Graphic +Reputation_Economy +John_Taylor_Gatto_on_Compulsory_Schooling_and_the_State +Cyber_Radicalism +Open_CourseWare_2.0 +Global_Exchange_Trading_Systems +Radical_Anthropology_Group +How_Hackers_Learn_and_Socialize +Michael_Hudson +Thing_Commons +Carbon_Farming +Bioregional_Democracy +2.3_Economie_de_la_production_d%27Information_(en_bref) +Does_Sharing_Personal_Information_Create_a_New_Public_Realm +Reform_Liberalism +Mission_Markets +Distributed_Open_Source_Technology_Design_Repositories +Rio_Framework_for_Open_Science +Natural_Architecture +Marshall_McLuhan_Lectures +Ecological_Boundaries_of_the_Information_Age +Volunteer_Computing +Yasir_Siddiqui +Wiki-Ring +Cory_Doctorow_on_the_Closure_of_Apple +Bangladesh +Public_Sector_Open_Code_Initiative +Local_Commons_Surveys_Project +Gregory_Sholette +Open_Source_Hardware_2009 +Lurzaindia/eu +Virtual_Currencies +Open_Film_Business_Models +%CE%A4%CE%BF_%CE%A0%CF%81%CF%8C%CE%B2%CE%BB%CE%B7%CE%BC%CE%B1_%CE%BC%CE%B5_%CF%84%CE%BF_%CE%9F%CF%80%CF%84%CE%B9%CE%BA%CE%BF%CE%B1%CE%BA%CE%BF%CF%85%CF%83%CF%84%CE%B9%CE%BA%CF%8C_%CE%91%CF%81%CF%87%CE%B5%CE%AF%CE%BF_%CF%84%CE%B7%CF%82_%CE%95%CE%A1%CE%A4_%CE%BA%CE%B1%CE%B9_%CE%B7_%CE%9F%CE%B9%CE%BA%CE%BF%CE%BD%CE%BF%CE%BC%CE%B9%CE%BA%CE%AE_%CE%91%CE%BD%CE%AC%CF%80%CF%84%CF%85%CE%BE%CE%B7_%CF%83%CF%84%CE%B7%CE%BD_%CE%A8%CE%B7%CF%86%CE%B9%CE%B1%CE%BA%CE%AE_%CE%9A%CE%BF%CE%B9%CE%BD%CF%89%CE%BD%CE%AF%CE%B1 +Dignity_Returns +CIS_Open_Design_Report +Four_kinds_of_Free_Economy +Job_Creation_Strategies_for_Shareable_Cities +Incredible_Edibles_World_Interest_Map +Logic_of_Information +Sean_Brodrick_on_Suburban_Resilience_Strategies +Federated_General_Assembly +Richard_Tarnas_on_Cosmos_and_Psyche +Civic_Data +Wireless_Africa_Initiative +Juho_Salminen_on_Crowdsourcing_Sites_Focusing_on_Innovation +Life_Beyond_Growth +No_Les_Votes +Open_Nic +Cohousing_Directory +Open_Chemistry +Software_Transparency_in_Implantable_Medical_Devices +Consensus_Journals +Community-Driven_Sustainable_Fisheries +Asia_Commons +Design_Pattern +Generative_vs._Extractive_Ownership +Ilaria_Capua_on_Sharing_Avian_Influenza_Data_with_GISAID +Taking_Back_Our_Public_Spaces +Rituals,_Pleasures,_and_Politics_of_Cooperation +Tricorder_Project +Definition_of_Free_Cultural_Works +Bit_Beam +Control_Trust +Rankism +Wealth_of_Neighbors +How_to_Contribute_to_Open_Source_Projects +Relationship_Economy +Goldhaber,_Michael +Winning_the_Web +Peer-to-Peer_Themes_and_Urban_Priorities_for_the_Self-organizing_Society +Noam_Chomsky_on_Adam_Smith%27s_Critique_of_the_Invisible_Hand +Vecam +Relational_State +Michael_Pollan_on_Food_Reform_and_the_Cuban_Organics_Experience +Android +Fourth_Turning +Christian_Sandstr%C3%B6m_on_the_Law_and_Governance_Effects_of_Disruptive_Technologies +Henry_Jenkings_on_Digital_Literacy_and_Learning +When_Corporations_Rule_the_World +Open_Source_Hardware_Definition +Earth_System_Grid +Jean-Fran%C3%A7ois_Noubel_on_Collective_Intelligence +Changemaker_Profile_of_Michel_Bauwens +Jeff_Jarvis_on_Participation_and_the_Future_of_Journalism +Open_Hand_Project +Authorization_and_Governance_in_Virtual_Worlds +Paillasse +Chicago_Plan_for_Money_Creation +Financial_Production_Economy +PART_ONE:_THEORETICAL_FRAMEWORK +Michel_Bauwens,_Smari_McCarthy_and_Vinay_Gupta%27s_Impromptu_Conversation_on_P2P_Warfare +Charter_of_Human_Responsibilities +United_States_Federation_of_Worker_Cooperatives +Digital_Humanitarian_Network +Teaching_Writing_in_the_Age_of_Wikipedia +Medellin +Nanocorp +Cognitive_Diversity +Berkshares +Indigenous_African_Institutions +Free_Access_to_Law +Catchment +Pat_Conaty_on_the_History_and_Future_of_the_Cooperative_Commonwealth +Ian_Snaith +David_Wood_on_Semantic_Web_Databases +Open_Space_Principles_for_Political_Action +Audio_Podcasts_on_Commons_Economics +Ralph_Nader,_Ron_Paul,_Kucinich_and_Chomsky_on_Left-Right_Convergence_Against_Corporatism +Participatory_Food +Plenitude +Free_and_Open_Source_Software_Society_Malaysia +Dulce_Revolucion/es +European_Open_Data_Inventory +#mw-head +PEOPlink +Examining_the_Effect_of_Openness_on_Innovation +Georgism +VoIP_Telephones +MediaWiki_User%27s_Guide:_Starting_a_new_page +Prisoner%27s_Dilemma +Nonrivalry +Generic_Model_Organism_Database +22nd_Chaos_Communication_Congress_2005 +S.C.I.En.C.E. +P2P_Conceptions_of_Power +Life_of_the_Law_Online +Coasean_Floor_and_Ceiling +Tradition_That_Has_No_Name +Corima +Gandhian_Economics +Web_2.0_and_Open_APIs +Labmeeting +New_Play_Theatre_Commons +Constellation_Method_of_Social_Change +Roberto_Santoro_on_Concurrent_Innovation +Commons_Framework +Wikidot +Corporate_Open_Innovation +Social_Charters +Mapping_the_Co-creation_of_a_Commons_Paradigm_Task +Contract_Feudalism +Collective_Intelligence_and_Collective_Leadership +Legal_Issues_around_User-Generated_Content_in_Virtual_Worlds +Amartya_Sen_on_Justice +Open_Design_Guns +Self-Informing_Public +Interview_with_Nikos_Salingaros_on_P2P_Urbanism_-_2008 +Ian_MacKenzie_and_Pravin_Pillay_on_the_Epistemology_and_Spirituality_of_Occupy_Wall_Street +Somebodies_and_Nobodies +Responses_to_the_Energy,_Food_And_Water_Crises +Crowd_Process_Providers +Consensus_Hand_Signals +Content-Driven_Reputation +Co-creating_Cultural_Heritage +JASecon +Digital_Identity_Podcasts +Lego_CUUSOO +Copyright_and_Open_Source +International_Reciprocal_Trade_Association +Bad_Vista_Campaign +Blog_Comment_Systems +Usury_Laws +Defining_True_P2P_Infrastructures +Judas_Number +Share_Hub_Korea +Global_Knowledge_Partnership +Frank_Piller_on_Mass_Customization_and_Configurators +Alterglobalization_Movement_-_Meshwork_Aspects +WikiIndex +Girls_in_Tech +Pearce_Research_Group_at_Michigan_Tech_in_Open_Sustainability_Technology +P2P_Blog_Concept_of_the_Day +Hashtag_Politics +Peer_Governance +Vlog_Europe_05 +Permission_culture +Outlaw_Bicycling +Green_Button_for_Energy_Usage +Linux +Economic_Stork_Theory +Open_Source_as_Business_Strategy +Eduforge +Gittip +Creative_Currencies +Citizen_Journalism_-_Business_Models +Social_Source_Commons +User_Generated_Cities +Sneakernet +Howard_Rheingold%27s_Introduction_to_Cooperation_Theory +Morphogenetic_Society +Designing_an_Economy_of_Provision +Market_for_Open_Innovation +In_Control_Initiative +Emergence_of_a_Global_Brain +NIMk_Artlab +National_Center_for_Rapid_Technologies +Energetics +Stewardship +Neo-Luddism +Sean_Sweeney_on_Extending_Union_and_Labor_Solidarity_with_the_Environment +Open_Source_Medical_Imaging +Axel_Bruns_on_Communal_Publishing +World_Economic_Forum_on_Impact_of_Web_2.0_and_Emerging_Social_Network_Models +Redes_de_Pares +Semantical-Historical_Paths_of_Communism_and_Commons +Firefox_OS +Scene_Description_Language +Consortium_on_Energy_Restructuring +Dmytri_Kleiner +Sankaran,_Shankar +RFC_a001:_Towards_a_commons-driven_research_platform +Knowledge_Organization_-_Evolution +Fab_Food +Berry,_David +Technological_Dimension_of_a_Massive_Open_Online_Course +How_Corporate_Lobbying_on_Copyright_Threatens_Online_Freedoms +FarmBot +Videos_on_Resistance_Studies +Corporate_Localism +Collective_Awareness_Platforms_for_Sustainability_and_Social_Innovation +Development_2.0 +Edge_Competencies +Germ_Form +Interview_with_Jonathan_Zittrain +Access_Foundation +Drug_Patents +Design_Outlaws +Common_Ground_Health_Clinic +Open_Bank_Project +Web_Science_Research_Initiative +Gar_Alperovitz_on_the_Next_Economic_Tranformation +Judith_Jordan_and_Maureen_Walker_on_Relational-Cultural_Theory +JP_Morgan-GIIN_Report +3rd_Free_Culture_Research_Conference +List_Summary_10/9 +Peter_Russell_on_the_Global_Brain +Little_Free_Library +Anonymous_Blogging_with_WordPress_and_Tor +Phyles +2.3.B._P2P_and_Technological_Determinism +Parallel_Villages +Wiki_Weapon +Chinese_Commons_Deep_Dive +OpenSocial_Foundation +Leaderless_Swarm +Open_vs._Closed_Corporate_Partnerships +Disaggregated_Democracy +David_Martin_on_Technology_Patent_Fights +Slaithwaite_Handmade_Community_Supported_Bakery +Bernard_Lietaer_on_Transforming_the_Financial_System +Hierarchy_-_History +Optimized_Link_State_Routing +Manfred_Max-Neef +SDKrawler +Curto_Caf%C3%A9_-_BR +Democratic_Innovations +Commons_in_Marx%E2%80%99s_Thinking +Cyborg_Buddhas +Open_Organization +Idea_Credit_Rights +Open_Source_Consortium +Towards_Computerized_Multi-Lateral_Barter +Bottom_of_the_Pyramid +Jordan_Greenhall +Commons_4_EU +P2P_Streaming_Infrastructure +Worlwide_List_of_Open_Source_Hardware_Online_Stores +Auroracoin +History_and_Future_of_Civic_Humanity +Ponoko +Kickstarter +Open_Wengo +Free_Manuals_for_Free_Software +Global_Politics_of_Interrnet_Governance +Danah_Boyd_on_Embracing_a_Culture_of_Connectivity +Leadership +Govfresh +Cooperation_and_Control_in_Slashdot +Internet2_Peer_to_Peer_Working_Group +OSOR_Guideline_on_Public_Procurement_and_Open_Source_Software +Value_of_Nothing +RightsAgent_Commercial_License +Good_and_Evil_in_a_P2P_Context +Joss_Hands +Irish_Banking_Strike_of_the_1970%27s +Substance +Electric_Embers_Cooperative +Cory_Doctorow_on_Digital_Rights_and_DRM +Physically_Producing_Open_Designs +Our_Polls_Campaign +Co-Learning +Attention_Hackers +Zeitgeist_Movement_Defined:_Realizing_a_New_Train_of_Thought +Alde_Hollis_an_Jamie_Love_on_Alternative_Funding_Mechanisms_for_Open_Science +GMO +MoveCommons +E.F._Schumacher_on_the_Transition_from_Violent_to_Non-Violent_Technology +How_to_Build_a_Village +NetSquared +Community_Biolabs +Plug_In_and_Turn_On +Crowding_out_Citizenship +Adhocracy +Mass_Collaboration_Architecture:_how_do_we_connect_and_support_the_collaboration_efforts_of_large_numbers_of_people_and_projects_that_have_aligned_interests%3F +Greeek_Potato_Movement +Open_Source_Web_Conference_Tools +Michael_Mainelli_on_Governing_the_Intellectual_Commons +Exchange_Networks_and_Parallel_Currencies_in_Greece +Chris_Watkins_on_Changing_the_World_through_Free_Content +Smart_Meme +Civil_Society_Global_Network +Commons,_Marxism_and_Historical_Stadialism +Latin_America_Commons_Deep_Dive/Day_3 +Latin_America_Commons_Deep_Dive/Day_2 +Babilim_Light_Industries +Human_Scale_Development +Self-organisation +Introduction_to_the_Open_Media_Web +Tasting_the_Future +Cloud_Culture +Technological_Due_Process +Creating_an_Intellectual_Commons_Through_Open_Access +Trade_Secrets +Salman_Khan_on_Using_Video_to_Change_Education +Open_Source_Alternatives_for_Android +Isaac_Wilder +Self-Governance_and_Mutual_Aid_at_Occupy_Wall_Street +Web_of_Debt +Increasing_Decentralization_in_Wikipedia_Governance +Open-source_software +Modalities_of_Sharing +Daniel_Constein +Open_Education_2006 +Roberto_Verzola_and_Stefan_Meretz_on_the_Generative_Logic_of_the_Commons +Collaborative_Governance_Software +Garden_Planet +Commonomics +Go_Car_Share +Internet_Based_Social_Lending +Rethinking_Emancipation +ActiveCollab +Basic_Income_-_Philippe_Van_Parijs +Open_URL_Framework +Universal_Declaration_of_All_Beings +Changing_the_System_of_Production +Food_Commons_Rain_Water_Hydroponics +Commune-support_Software +Open_Source_Medical_Devices +Barter_Networks +VastPark +Ethical_Circuit_of_Value +Wiki_Proteins +LaborTech +New_Socialism +Collective_Housing +Economics_for_Humans +Elinor_Ostrom_on_Resilient_Social-Ecological_Systems +Imagine_There_Is_No_Copyright_and_No_Cultural_Conglomorates_Too +Bridge_Builders_for_Transition +Networked_Disruption +Expertise +David_Graeber_and_David_Harvey_in_Conversation_about_Debt_and_Rebel_Cities +Pull_and_Push_Media_Typology +Non-State_Sovereign_Entrepreneurs +Roberto_Verzola_on_the_Commons-Oriented_Economics_of_Abundance +Black_Code +Lawrence_Lessig_on_Remix +Peoples_Global_Action +Andy_Oram_on_FLOSS_Manuals +TOPOketak/es +Anthroposphere_Institute +Alan_Moore_on_How_Communities_Change_How_We_Create_Culture +Regional_Currencies_in_Germany +Meretz,_Stefan +Henry_Jenkins_and_Joshua_Green_on_Creating_Value_and_Meaning_in_a_Networked_Society +Open_Sourcing_the_Military-Industrial_Complex +P2P_And_The_Social_Cloud +Social_Clinics +French +Open_Healthcare_Framework +Changing_Self,_Community,_and_Society +Donate_Your_Account +Metacurrency_Project +Illusion_of_Free_Markets +Issues_of_Power_and_the_Problems_with_Deliberative_Democracy +Tim_O%27Reilly_explains_Web_2.0 +Starfish_and_the_Spider +Bitcoin_Foundation +Seminars_by_Michel_Bauwens +Introduction_to_Digital_Activism +Digital_Vertigo +Revolu%C3%A7ao_dos_Baldinhos_-_BR +Common_Room_Networks_Foundation +Common_Property_Resources +Living_with_Cyberspace +World_Bank_Commons +Social_Peer_Review +Economics_of_Social_Relations +FLOAmerica +Consumer_Bimodality +Sustainability_Explained +Beelden_voor_de_toekomst +Themepunks +Metagovernment +Peer_Production_and_Industrial_Cooperation_in_Alternative_Energy +From_Open_Space_to_Open_Politics +Synusia/es +Memetics +Civic_Action_Network +Group +International_Institute_of_Monetary_Transformation +Joanna_Demers_on_Steal_This_Music +IStockPhoto +Public_Domain_Review +Everyone%27s_Guide_to_Bypassing_Internet_Censorship +-_Internet_Governance +Open_Clinical_Trials +Luigi_Russi_on_Hungry_Capital_and_the_Financialization_of_Food +Social_Care +Bill_Cassidy_on_NextGen_Reporters_and_Journalism_for_the_21st_Century +U_Process +Acts_of_Sharing +Cryptocontracts +Introduction_to_WikiHouse +30_Lies_about_Money +Open_Innovatie +Prototyping_and_Infrastructuring_in_Design_for_Social_Innovation +Media_Disruption_Exacerbates_Revolutionary_Unrest +Linux_Distro +Jorge_Ferrer +Open_Object +Festivalism +Broodfonds +Festival_de_Cine_Creative_Commons_Ciudad_de_M%C3%A9xico/es +Collective_Invention_of_Steam_Engines +Democracy,_Redistribution_and_Equality +Interview_with_James_Howard_Kunstler_on_the_Long_Emergency +How_Digital_Technologies_are_Creating_a_New_Paradigm_in_Research +Perens,_Bruno +Invested_Consumption +Contagion_Theory_in_the_Age_of_Networks +User_Revolts +Autonomous_Universities_and_the_Making_Of_the_Knowledge_Commons +Open_Source_Web-based_Learning_Content_Management_System +Open_Business_Models +Data_Catalogs +David_Ronfeldt_on_the_Chamber_of_the_Commons +Social_Scholarship +Narcissism +Webcasting +WikiFactor +Sea_as_Public_Domain_versus_Private_Commodity +Evolving_from_Egocentric_Competition_via_Sociocentric_Collaboration_to_Worldcentric_and_Kosmocentric_Collaboration +Anarchist_Economics +Reputation_Graph +Holoplex +Ultimate_Music_Recommendation_Smackdown +Open_Access_Movement +Massive_Open_Online_Course +Charles_Leadbeater_on_Three_Key_Policy_Reforms_for_Mass-based_Innovation +Open_Value_Network +Dan_Benjamin +Role_of_Labor_in_Egyptian_Revolution +Personal_Participatory_Media +Yahoo_Open_Strategy +Johanna_Blakely_on_Intellectual_Property_in_Fashion +Taxes +Prizes_for_Innovation +Crowd-Funded_Travels +Network_Government +Internet_Identity_Workshop_2006 +Sally_Carson_and_Eric_Jennings_on_the_Pinoccio_Wireless_Mesh_Network_for_the_Internet_of_Things +Global_Integrity_Commons +Social_Collaboration_Platform +Net_Energy_Limits_and_the_Fate_of_Industrial_Society +Microbial_Research_Commons +News_Markup_Language +Affinity_Politics +Software_Liberty +Nutrient_Dense_Project +Berlin_Commons_Conference/Workshops/Education +Open_Everything_U.S. +Infosocialism +Karen_Armstrong_on_Reviving_the_Golden_Rule +Community_Broadband_Networks +Process_Hierarchy +Bill_Ives_on_Blogs_as_Tools_for_Personal_Knowledge_Management +Philippe_Van_Parijs_on_the_Basic_Income +Anya_Kamenetz_on_the_DIY_Future_of_Learning +Mark_Pesce_on_Hyperpolitics +Theory_and_Practice_in_the_Management_of_Natural_Commons +Selling_Spirituality_and_the_Silent_Takeover_of_Religion +Remix_Culture_Process +Life_Rules +Why_Monetary_Design_is_Important +Transportable_Infrastructures_for_Development_and_Emergency_Support +Synergy +Marc_Canter_on_Open_Standards_and_Structured_Blogging +Cyberconflict_and_Global_Politics +HSBxl +Steering_Committees_in_Peer_Production_Projects +Slivercasting +Quick_Guide_to_Secure_Communication +Philip_Foster +Digital_Sovereignty +Cooperation_Interdiscipline_Map +Hobohemia_Commons +Rent +Online_Advocacy_Campaigning +Digital_Commons_in_Microbiology +Craft_Camera +AgriTrue +User-Generated_Urbanism +Escola_da_Ponte +Charles_Sanders_Peirce +Community_Inventing_Shed +Amy_Kirschner_on_the_Vermont_Sustainable_Exchange +OSIS_Open_Source_Identity_System +Economic_Aspects_of_Free_Software +Project_Gizmo +Bruce_Simpson_on_the_Making_of_a_Hacker +Neo-Venetianism +Logical_Negation +Critique_of_Empathy +Kevin_Hansen +Free_Knowledge_Foundation +Meshlinux +Rad_Urban_Farmers +Deep_Search +Transitive_Delegations +Enabling_Reproducible_Research +Inaugural_Conference_of_the_Internet_and_P2P_Research_Group +Paraverse +Clay_Shirky_on_Internet_Issues_Facing_Newspapers +Coral_Content_Distribution_Network +Counter_Cartographies_Collective +Greg_Albo_Critiques_Eco-Localism +Permaculture +Understanding_Human_Need +ECC203/Land_and_Nature_Stream +Outsider_Pull +Qualitative_Economic_Growth +Prestige_Through_Open_Access_Publishing +Commons-Based_Business_Models +User-Centered_Innovation +William_Deresiewicz_on_Social_Networks_and_the_End_of_Solitude +Interface_Effect +Massimo_Banzi_and_Massimo_Menichinelli_on_Co-Design +Potential_Costs_and_Risks_of_Using_Crowds +Commons_In_A_Box +Coalition_of_Commons_Blogs +New_Babylon +Dmytri_Kleiner_on_the_Telekommunisten_Manifesto +Technology_Is_Not_a_Force_for_Either_Liberation_or_Oppression +Parody_of_the_Commons +Roberto_Verzola +Hoopla_Radical_Craft_Zine +Post-Scarcity_Age +Journalism +Silo_license +Tropical_Disease_Initiative +UK +Noubel,_Jean-Francois +Contour_Crafting +Afrimesh +Property_Rights_in_the_Commons +Hacking_Capitalism +Future_of_News_Movement +P2P_Foundation_Google_Custom_Search_Engine +Open_Green_Map +System_of_Rice_Intensification +Certificate_for_Open_Regenarative_Hardware +Wikipedia_Research +GNOME_Foundation +Windows_Collaboration +Media_Activism_Participatory_Politics_Project +Social_Media_in_China +Mark_Shuttleworth_on_the_Business_Ecology_of_Ubuntu +Map_of_Time_Banks_and_Social_Money_in_Spain +Flowspace +Gary_Flomenhoft +Geocaching +Participatory_Regulation +Learning_Communities +Distributed_Biological_Manufacturing +Cooperrider,_Matt +P2P_Filesharing +Anti-systemic_distributed_libraries +Hyperdistribution +Adafruit +Open_Source_Credit_Rating_Agency +Paolo_Virno_on_Collectivity_and_Individuality +Spiker_Box +Experential_Biking_Wisdom_Map +Neo-militancy +Global_Impact_Investing_Ratings_System +CommunityWiki +On_the_Materiality_and_Sustainability_of_Free_Culture +Collective_Spiritual_Leadership +Research_Group_Institution_Building_across_Borders +Paolo_Virno +Group_Genius +Difference_between_Descending_Depth-Psychological_vs._Relational-Participatory_Extending_Apprroach_to_Spirituality +Farm-to-Table_Groceries +How_Open_Sensor_Networks_Will_Affect_Journalism +Abundance-Based_Money +Wisdom_of_Patients +WIPO_Broadcast_Treaty +Massive_Change_Design_Podcasts +P2P_Concept_Groups +Asian_Regional_Exchange_for_New_Alternatives +Ethan_Zuckerman_on_Personal_Tracking +Max-Neef_Model_of_Human-Scale_Development +Blind_Bitcoin +Virtual_Company_Project +Open_Source_Cargo_Bike +Sarapis_Foundation +Stack +Preface_to_the_Ethical_Economy +Socialisation_of_Production +Open_Hardware_Companies +Community_Wealth_Building +Recruitment_in_Open_Collaborative_Communities +Patrick_Meier_Discusses_Crowdsourced_Crisis_Response +Internet_Frames +Information_Economics +Access_Commons +Valerie_Peugeot +Product_Forge +Stephen_Coleman_on_E-enabled_Co-governance +Learning_Trends_2016 +Dijjer +Sander_van_der_Leeuw_on_Evolving_Innovation_for_a_Resource_Scarce_World +Who%27s_Who_in_Open_Hardware_Manufacturing +Social_TV_Media_Strategy +Medieval_Machine +Tutor_Mentor_Connection +Mike_Hearn_on_the_Long-Term_Future_of_Bitcoin +Make_Tool_Guide +Online_Video_Production +Three_Ideologies_of_the_Internet +United_Kingdom +Schuster,_Ludwig +Owner-Centric_Authority_Model +IARPA_Open_Source_Indicators_Program +Jarin_Boonmathya +Philippe_Aigrain_on_A_Self-Standing_Financing_Model_to_Help_Sustain_the_Non-Market_Digital_Commons +3D_Printables +Carl_Tashian_on_Open_Government_and_the_Citizen_Coder +Patenting_Traditional_Knowledge +Politics_of_the_Common +Pro-Ams_as_a_Force_for_Social_and_Commercial_Innovation +Co-Creative_Labor,_Productive_Democracy_and_the_Partner_State +Safecast +CarSharing_Association +Business_model +Micro_Factories +Telekommunist_Manifesto +Herman_Daly_on_Steady-State_Economics +Statute_for_A_European_Cooperative_Society +Micropayments +Land_Grabs +Evgeny_Morozov_on_Online_Activism +Nesta_2009_Open_Innovation_and_Intellectual_Property_Conference_Videos +Why_Sharing_may_require_some_loss_of_control +Case_for_Open_Source_Appropriate_Technology +Community_Land_Trust +PlanLoCaL +Internet_Newsroom +Money_and_Slavery +Notes_and_Power_Points_for_Climate_Side_Event +Solar_Mosaic +Vested_commons +Eben_Moglen +William_McDonough_on_Cradle_to_Cradle_Design +Bifo_and_MacKenzie_Wark_in_Conversation +Compatibility_between_Open_Modular_Systems +Meltdown_of_2008 +Partido_Pirata_do_Brazil +Networked_Society_City_Index_Report +For-Benefit_Corporations +Nicholson,_Andy +Commonalities +Fund_for_Complementary_Currencies +Free_Schools +Privacy_Charters +Leadership_in_an_Age_of_Uncertainty +Beneath_the_University,_the_Commons +FLO_Solutions_Meeting_2_-_10/10/11 +Lula_da_Silva_on_the_Importance_of_Free_Software_for_Brazil +Mic_Check_Protest +Bien_Communs_Informationnels +Stefan_Kellner_and_Felix_Petersen_on_Location-aware_Interaction +Community_Bill_of_Rights +Surowiecki,_James +Crop_Mob +Energy_Commons_as_a_Governance_Framework_for_Climate_Stability_and_Energy_Security +Georg_Pleger +Code_for_America_Commons_Map +Outlawing_the_For-Profit_Corporate_Form +Open_Master%27s_Program +John_Robb_on_the_Energy_Trap +Global_Resilience_Metric +Wealth_of_Ideas +Public_Value +Movement_of_Mortgage_Victims +Against_the_professional_cooptation_of_community +Hidden_Connections_Temp +Productive_vs._Parasitic_Investment +Organizers_Collaborative +Digital_Divide_in_User-Generated_Content +Municipal_Enterprises +Privatization_of_Democratic_Elections_via_Computer_Technology +Open_Licensing_for_Generic_Medecines +Open_Source_in_Brazil +Daniela_Gottschlich +Free_and_Open_Local_At_Best +Dialoguing_Play +Democratic_Public_Service_Reform +Dan_Nazer_on_the_Electronic_Freedom_Foundation +Silvio_Gesell +Franz_Nahrada_on_the_Global_Villages_Network +Zvi_Galor +Makeblock +Introductory_Resources_on_Webcasting +Conflict,_Claim_and_Contradiction_in_the_New_Indigenous_State_of_Bolivia +Steven_Pinker_on_the_Decline_of_Violence +Community-Funded_Journalism +Ross_Anderson_on_Future_P2P_Architectures +Mesh_Interface_for_Network_Devices +Jens_Dyvik_on_the_Sharing_Aspects_of_the_Personal_Fabrication_Revolution +Gilberto_Gil_on_Brazil%27s_Peeracy_Policy +Participation_Hierarchy_in_Co-Creative_Communities +StudyCurve +Rise_Like_Lions +3D_Printing_Step-by-Step +Open_Source_Core_Banking +Border_Knowledges +Real_Wealth_of_Nations +Coalescing_around_Abundance_and_the_Commons +BALLE +Peter_Sunde_on_the_Pirate_Bay +Somerset_Rules_for_Multistakeholder_Cooperatives +Ruido13/es +Clay_Shirky_on_the_Social_Media_Revolution +Kickraiser +Lead_Markets +Infotention +Polyculture +Backcasting +People%27s_Assembly +Community_Connect_Trade_Association +Protocols +David_Eaves +Wealth_Acknowledgment_Systems +Common_Resources_in_a_P2P_Network +Democracy_Map +Herminia_Ibarra_on_Human_Networks +Open_Plans +Do_It_Yourself_Manufacturing +Collaborative_Ontology +FLOSS_WORLD +Riepl%27s_Law +Genesis_and_Emergence_of_Education_3.0_in_Higher_Education_and_its_Potential_for_Africa +Social_Charter +Tivoization +Resilient_Manufacturing +Chan,_Adrian +Open_Hardware_Book_Scanners +Forum_da_Transpar%C3%AAncia +Free_Access_Scientific_Archives +Six_Degrees_of_Separation +Sustainable_Immobility +Raoul_Victor_on_Naming_the_Peer_Production_Society +Kristen_Christian_on_Bank_Transfer_Day +Upgrade +Stamp_Scrip +Institute_for_Responsible_Technology +Reclaiming_the_Commons_as_a_Social_Theory_of_Collective_Action +Economic_Options_for_Organizing_Networks_in_Beijing +Social_Movements_2.0 +Garden_Trust +Three_Key_Arguments_against_the_continuation_of_copyright_restrictions +Class_Central +Traditional_Knowledge_Commons +How_Corporations_Became_People +Banktrust +Maker%27s_Bill_of_Rights +Role_of_Semantic_Web_in_Web_2.0 +Peer_to_Peer_Microfinance +Podleader +Contemporary_Work_Culture +Robin_Good_interviews_Michel_Bauwens_on_the_P2P_Society +Remix_Culture_Panels +Panspectrocism +Alone_Together +Social_Software_Culture +Dennis_Kucinich_and_Chris_Hedges_on_the_Reasons_for_the_99_Percent_Movement +Icelandic_Modern_Media_Initiative +Universal_Production_Set +P2P_Entrepreneurial_Learning +WARP +Long_Term_Problem_of_Capitalism_is_the_Long_Term +OpenBSD_Foundation +Open_Buddha +CNet_Video_Archive +Landless_Workers_Movement_-_Brazil +Free_Agent_Central +Nord-Pas_de_Calais_Third_Industrial_Revolution_Master_Plan_2013 +Transmission +Michael_Bull_on_the_iPod_Youth_Music_Culture +XBRL +Avatar_Anxiety +James_Pike_on_Equity_Partnerships_for_Non_Debt%E2%80%93Based_Financing +Access_to_Tools +Three_Metaphors_of_Learning +Yochai_Benkler_on_Conflicts_in_Cultural_Production +Distributed_Value_Creation +Metaplace +Online_Public_Comment_Forums +Microbial_Commons +Simon,_Gwendal +TorrentFreak_TV +International_Free_and_Open_Source_Software +Discussions_on_the_Future_of_the_Economy +Vandana_Shiva_on_the_Contemporary_Enclosure_of_the_Commons_through_IPR +FLOSS_Commons +Relation_composition +OER_Licensing_Models +Hacking_Society +Author_Addenda +Looking_Back_on_P2P_in_2013 +Sustainability +Reclaim_the_Streets +Ethical_Trade_Initiative +Stefano_Zamagni +Five_Capitals_Model +P2P_Foundation_Wiki_Suspected_Spammers +Asset_Transfer_Unit_(UK) +Economy_of_Experiences +Sombath_Somphone +Light_of_Other_Days +Measuring_Community_Energy_Impacts: +Pasture_Commons +Prototype_for_Open_Source_Urbanism +Managing_Open_Innovation_in_Large_Firms +Dialogism +Christian_Siefkes +Message_from_Chinese_activists_and_Academics_in_Support_of_Occupy_Wall_Street +Kloschi_on_the_Freifuk_and_Free_Radio_Movement +What_Works_Project +Globalization,_Technopolitics_and_Revolution +Presentation_on_the_School_of_the_Commons_in_Cataloniafor_Future_of_Occupy_Magazine +Cooperative_Public_Phone_Booth_Model +Free_Sharing +CorpOrNation +Digital_Democracy_in_the_21st_Century +Civic_E-Panel_Software +Distributed_Social_Networks +Wat_is_al_dat_gedoe_over_geld +Miriam_Kennet +Pervasive_Gaming +Anonymous_and_the_War_on_Scientology +Art_and_Science_of_Effective_Convening +Role_of_Technology_in_Current_Ecological_Problems +Political_Economy_of_Information_Production_in_the_Social_Web +David_Eaves_on_the_Vancouver_Open_Data_and_Open_Government_Initiative +Community_Energy_Pioneers_in_Finland +Anatomy_of_Revolution +Open_Recruiting +%CE%A4%CE%B1_K%CE%BF%CE%B9%CE%BD%CE%AC_%CF%89%CF%82_%CE%AD%CE%BD%CE%B1_O%CF%81%CE%B1%CE%BC%CE%B1_M%CE%B5%CF%84%CE%B1%CF%83%CF%87%CE%B7%CE%BC%CE%B1%CF%84%CE%B9%CF%83%CE%BC%CE%BF%CF%8D +Bootstrapping_Democracy_in_Brazil +Mapping_for_Change +Labor-Controlled_Venture_Capital_Funds +Proposal_for_open_source_permaculture_software +Five_Commons_Approach +Scholarpedia +Worker_Owned +Precautionary_Principle +Digital_Tribalism +-_Jean-Francois_Noubel +Hersman,_Erik +Recombinant_Innovation +Thomas_Malone_on_the_Success_Factors_for_Collective_Intelligence +Joe_Justice +Open_Source_Campaigning +Share-levy_Wage-earner_Funds +Open_Food_Co-op +Spot_Us +P2P_Interpretation_of_Soul_as_Intersubjective_Reality_and_Spirit_as_Interobjective_Reality +Modifiability +St%C3%A9phane_Riot +Center_for_Digital_Inclusion +%CE%9F_%CE%9C%CF%8D%CE%B8%CE%BF%CF%82_%CF%84%CE%B7%CF%82_%CE%91%CE%B5%CE%B9%CF%86%CF%8C%CF%81%CE%BF%CF%85_%CE%91%CE%BD%CE%AC%CF%80%CF%84%CF%85%CE%BE%CE%B7%CF%82 +Data_Mash-Ups_and_the_Future_of_Mapping +Energy_Scenarios +VideoLAN +Nano-experts +Crowdsourced_Placemaking +Exploring_Community_Resilience +Noveck,_Beth +Pieni%C4%85dz-d%C5%82ug_i_pieni%C4%85dz_bez_d%C5%82ugu +Alliance_21 +Discussing_the_Politics_of_the_Occupy_Movement +P2P_Resource_Allocation +4th_Inclusiva_-_Kirsty_Bolye_and_Catarina_Mota_-_openMaterials +Tatiana_Bilbao_on_Open_Source_Design +FabML +Pragmatic_Web +Giulia_Massbrio +Networking_Futures +Peer_to_Peer_Beyond_the_North_South_Paradigm +Radical_Redesign_of_Business +Participatory_Culture +Open_Public_Transportation_Data +WebDocGraffiti +European_Progressive_Economists_Network +Social_Software_Affordances +Open_Social_News_Sites +Roberto_Verzola_on_the_CounterProductive_Laws_that_Induce_Artificial_Scarcity +William_Irwin_Thompson_on_the_Decentralization_of_Culture_in_the_Context_of_Planetization +Michel_Bauwens_over_P2P_en_Overheid +Strong_Roots +Pedro_Garc%C3%ADa_L%C3%B3pez +Dot_Asia +Online_Identity_Consolidator +Attention-Centered_Economy +Club_of_Amsterdam +Ang%C3%A9lica_Schenerock +Social_and_Solidarity_Economy%E2%80%99s_Role_in_Co-Producing_Public_Services +Common_Pool_Resource_Property_Rights +E-Homemakers +CyberRadicalism +Helfrich,_Silke +Impact_of_Micro-Generation_on_the_Way_We_Use_Energy +Creating_Sustainable_Livelihoods_on_Ten_Acres_or_Less +Picture_in_Picture_Marketing +Revival_of_Peering_with_Nature +Parable_of_the_Tribes +Uffe_Elb%C3%A6k +33Flatbush +Trust-based_Property_Rights +CommuniTgrow +On_the_Failure_of_the_Environmental_Movement +Community_Investment_Corporation +Asian_OSS +Reconfiguring_Education_for_the_User-Led_Age +Open_Source_Seed_Bank +Data_Portability_Licenses +Scarcity_Industrialism +Jaldi_Battery_Charger +Virtual_Economy_Research_Network +Espians +Beyond_Western_Economics +Bittunes +Fabrication_Networks +Ghosh,_Rishab_Aiyer +Conceiving_a_Social_Market +Sharing +Ideas_for_Change/es +Anne_Snick +Radical_Anthropology +Tch%C3%AAp%C3%A9dia_-_BR +Bruce_Hoppe_on_Social_Network_Analysis +Digital_Reverse_Development +Brett_Frischmann_on_the_Social_Value_of_Shared_Infrastructure_Resources +Fab_Lab +Participatory_Design +Sociological_Exploration_of_Crowdsourcing +Biological_Human +Real_Social +Debating_Policy_Repression_and_Activist_Violence +Wheeler_Declaration_on_Open_University_Principles +Sixth_Language +Eben_Moglen_on_the_Roots_of_Copyright +Factor_10_Engineering +Sm%C3%A1ri_McCarthy_on_the_Industrialization_of_the_Internet +Open_Science_Summit_2010_Update_on_Gene_Patents +Our_Digital_Community +Bruce_Sterling_on_the_Estonian_Cyberwar +Information_Card +Power_and_Potential_of_Fan_Activism +Resilient_Agro-Food_Consumption_in_Sant_Cugat_del_Vall%C3%A8s +Personal_Server +Zeynep_Tufekci_on_Pseudonymity_and_Google +Episodes_of_Collective_Invention +Anonymous_as_an_Antinomian_Movement +Decentralized_Network +ICS-Net +Contraptor +Founders +Future_of_Learning_Institutions_in_a_Digital_Age +Open_Geocoder +Barter-for-Education_Communities +Open_Source_Regulatory_State +EFF_on_Orphan_Works_Legislation +Civic_Lab +Open_Hardware_Wiki +Nonzero +Library_Pirate +River_of_News_Aggregator +Connectionist_Learning_Theory_-_Siemens +ETC_Group +P2P_Value_Approaches_of_Sensorica +Community-Supported_Culture +Targeted_Intelligence_Networks +Roosevelt_2012 +Reputation_Systems +Hannay,_Timo +Introduction_to_Open_Geoscience +Open_Source_Development_Model +Kevin_Slavin_on_Big_Games +Star_Wreck +OhMyNews +Consumer_Cooperative +Social_Campaigning +Contemporary_Internet +Social_Systems +Vinay_Gupta_on_Open_Designs_for_Appropriate_Technology +Open_Pedagogy +MediaWiki_User%27s_Guide:_Using_tables +Pirate%27s_Dilemma +Vocation_of_Business_as_Social_Justice_in_the_Marketplace +Introduction_to_Creative_Commons_Licenses +Distributed_Stakeholder_Ownership +Marshall_Rosenberg_on_Nonviolent_Communication +Internal_Transformation_of_Corporations +2007_Status_of_Decentralized_Renewables_and_Micropower +Music_Commons +Free_Banking +ShiftSpace +Thomas_Olsen +Internet_of_Everything_for_Cities +Singapore +Kaverna_Mountain_-_BR +Shareable_Cities_Council +Sidecar +Alternative_Law_Forum +Self-Publishing +Open_Access_Publishing +Hock,_Dee +Tito_Jankowski_on_OpenPCR +Occupy_Asia +Civic_Economics +LinuxCast +Network_Governance +Insight_into_the_Impact_Investment_Market +DRY +Activity_Streams +Jillian_York_on_Policing_Content_in_the_Quasi-Public_Sphere +Uprising +Rodney_Mullen_on_Open_Source_Skateboarding +FFII +Monetary_Reform_for_the_Information_Age +Toward_a_Truly_Free_Market +James_Hughes_on_Cyborg_Buddhas +Open_Sources_2.0 +Jacky_Mallet +Human_Cloud +Bioregional_Trusts +Free_Markets_%26_Free_Use_Commons +How_to_change_the_international_rules_for_the_commons_in_Europe%3F_-_2013 +P2P_Value_Research_Project +Politics_of_Mysticism +Commons-Based_Peer_Production_and_the_Neo-Weberian_State +Plurality +Employee_Stock_Accumulation_Plan +Georgia_Kelly_on_Mondragon_Worker-Owners_Co-ops +Reputation_Management_Cycles_on_the_Social_Web +Florian_Mueller +Alfredo_Lopez_on_Radical_Techies +Meta-Industrial_Class +Relational_Spirituality_and_other_Heresies_in_New_Age_Transpersonalism +Perspegrity_Solutions +99%25_The_Occupy_Wall_Street_Collaborative_Film +Richard_Stallman +Van_de_Duitse_Piratenpartij_tot_een_Europese_%27commons%27_coalitie +Ivan_Illich_and_the_Commons +News_2.0 +Peer_to_Peer_Upstreamers +Privacy-Friendly_Alternative_Search_Engines +Open_Declaration_on_European_Public_Services +GeoCommons +Explaining_Serval +Christopher_Spehr_on_Out-Cooperating_Empire +Collaborative_Organization +Jordan_Hatcher_on_Open_Licenses +World_Resources_and_the_Global_Commons +Spivack,_Nova +EDGE_Funders_Alliance +Deborah_Finn_on_the_Wikipedia_Culture +Permafacture +Celebrating_the_Commons +Ethan_Zuckerman_and_Solana_Larsen_on_Global_Voices_Online +Inclusive_Participation +Open_Science_Advocates +Decider +Free_Resources +Panel_on_Open_Science +Coalition_of_the_Commons +Social_ECM +Social_Media_Video_Tutorials +Multistakeholder_Internet_Dialogue +FLO_Software_Usage +Tony_Falzone_on_Fair_Use +Videos_of_the_Economies_of_the_Commons_Conference_2010 +Significance_of_Art_for_the_Occupy_Movement +Workspace_Rental_Marketplaces +GNU-Darwin +Open_Science,_Scholarship_and_Services_Exchange +P2P_Paradigms +Melissa_Schilling_on_Global_Technology_Collaboration_Networks +Eight_Forms_of_Capital +Truck_Farms +TV_IP +International_Budget_Partnership +Open_Life +Amr_Gharbeia_on_Lessons_Learned_from_Social_Networking_in_Egypt +Participatory_Leadership +Open_Productions_Initiative +P2P_lending +Ca_la_fou +Natural_Capitalism +Open_Source_Community +From_Production_to_Produsage +Social_Learning_Theory +Chris_Anderson_on_How_Web_Video_Powers_Global_Innovation +Coordinadora_de_grupos_de_los_barrios_altos/es +P2P_Network_Models +What_Every_Citizen_Should_Know_About_DRM +Open_Matchmaking +Open_User_Interfaces +System_Upcycling +Telecottage +Community-curated_Design +Foulab +Open_Source_Insurgencies +Value_Evaluation_of_Innovations_in_the_Sharing_Era +Multi-Licensing +Sarah_Hearn_on_the_Berkshare_Local_Currency_Program +Network_Typology +Who_Owns_Your_Stuff +Environmental_Commons +Open_Patent_Alliance +Felipe_Fonseca_on_the_MetaReciclagem_Project_in_Brazil +Mayo_Fuster_Morell_on_the_P2P_Value_Research_Project +Relational_Maintenance_Strategies +FAB +Network_Neutrality_Video +Flipping_Out +Prodigem +Ambient_Awareness +Markets_as_Conversations +FAZ +Serious_Games_Initiative +Open_Source_Weather_Monitoring +Using_Wikis_in_Government +Eucalyptus +Twelve_Key_Assets_of_Sustainable_Commons +Affinity_Purchasing +Recipe_Aggregation_Tools +Users_Guide_to_Demanding_the_Impossible +Managing_the_Global_Commons +Stefano_Zamagni_on_Cooperatives_as_a_Counterpoint_to_Corporatism +Community_Geothermal +Direct_FB +Deepening_Economic_Democracy_and_Encouraging_New_Forms_of_Entrepreneurship +Open_Source_Patent_Licensing +P2P_Blog_Video_of_the_Day +P3P_Platform_for_Privacy_Preferences +Open_Trademarks +Myth_TV +Energy_(NORA) +How_User_Participation_Transforms_Cultural_Production +Peer-production_nieuwe_economische_orde +Openness_is_not_sufficient_for_Democracy +Programmable_Self +Financialization +Martin_Geddes_on_The_Future_of_Telecoms_and_Broadband +Open_Knowledge_Festival +Inclusional_Research +Cory_Ondrejka_on_User_Generated_Content_at_Second_Life +Social_Dashboards +Connect_Me +Wolfgang_Sachs +Apache_Foundation +Anonymous_Internet_Banking +Patriots_of_the_Digital_Revolution +Deanna_Zandt_on_Social_Media_and_Feminism +Occupied_Cascadia +Leadingship +Open_Source_Micro_Air_Vehicles +Collective_Invention +Jonathan_Rosenberg_on_Real-Time_Social_Sharing_2.0 +Website_Improvements/Blog +Multitudes +Tom_Atlee_on_the_Sortition-Based_Democracy_of_Ancient_Athens +Flosse_Posse_-_Finland +Open_Source_Terraforming +Beekeeper_Model +Terra_Currency +Property +I_Believe_in_Open_-_Canada +Continua_Health_Alliance +Networking_2.0 +Glocalization_Manifesto +Occupy_Bahrain +Learning_Times_Green_Room +Electronic_Design_Automation +Open_Source_Parking +Zen_Currency +Piracy_as_Activism +Seed_Commons +Optimism_as_a_Political_Act +Siva_Vaidhyanathan_on_the_Googlization_of_Everything +Understanding_Open_Source_and_Free_Software_Licensing +FLOSS +Annabel_Lavielle_on_Research_Action_Panels_for_Collaborative_Open_Science +TestSMW +Counterculture_origins_of_cyberculture +Richard_Douthwaite_on_the_Economics_of_Sustainability +Twunch +Complexity-Based_Management +Open_Source_Competitive_Strategies +Innovator%27s_Patent_Agreement +Community_Choice_Energy_Aggregation +David_Harvey_on_the_Fetishism_of_the_Local_and_Horizontal +Evan_Prodromou_on_Open_Microblogging +Coworking_-_Business_Models +GNU_Free_Documentation_License +Open_Value_Networks +Recursive_Manufacture +Free_Network +Dale_Carrico_on_the_Democratization_of_the_State_as_a_Necessary_Tool_Against_Social_Violence +Institute_for_a_Broadband-Enabled_Society +Social_Cloud_Computing +Three_Constitutive_Communities_of_the_Self +Platform_for_Public_and_Communitarian_Partnerships +Land_as_a_Commons_in_the_Cooperative_Tradition +Emer_O%27Siochru_on_the_Proximity_Principle_in_Rural_Planning_and_Development +Gabriel_Stempinski_and_Alexandra_Liss_on_Sharenomics_and_Sharing_Lifestyles +Horizontal_Subsidiarity +Edogawatt +Architecture_Wikis +Geophilosophy_between_Conflict_and_Cartographies_of_Abundance +Jessica_Lipnack_and_Jeffrey_Stamps_on_Collaboration_in_the_Networked_Enterprise +Peer_Production_Patterns +Minerva_Project +OpenROV +-_PC_to_Phone_telephony +Principles_of_Ethical_Social_Entreprises +Open_Source_3D_Printers +2.2_TIC_et_%27Piratage%27_(Nutshell) +Player_Generated_Content +Lifehacking +Georg_Greve_on_Going_Beyond_GPLv3 +Dawn_of_the_Organised_Networks +BaixoGavea +Freenet_Project +Peer_to_Peer_and_the_Subject +Mash_the_State +Monetary_Theory +Control_and_Diversity_in_Company-led_Open_Source_Projects +Labour_and_P2P_Activists_Bio_Page +Cooperation +TimeTrax +Synthesizing_Relational_Grammars +Skillsharing +Grid_Beam +Autonomous_vs_Systemic_Innovation +Gabriella_Coleman_on_Anonymous_and_LulzSec +Biourbanism +P4P +How_UserParticipation_Transforms_Cultural_Production +Open_Solar_Turbines +Non-Market_Economics +Dasho_Karma_Ura +Glyn_Moody_on_Going_from_Openness_to_Abundance +Ca_la_fou/ca +Radion%C3%B3mada/es +Global_Action_Networks +Manuel_Castells_on_Communication_Power_in_the_Network_Society +Tribes +State_of_Wikipedia +Do-It-Yourself_City +OjoVoz +Crowd-Based_Problem_Solving +Filabot +RelayRides +Digital_Security_Technologies +Organizer%27s_Tool_Crib +Taxing_Commercial_Uses_of_the_Global_Commons +Project_Kleinrock +Interview_with_Julian_Todd_on_ScraperWiki_and_Open_Data +Technology_and_Religion +%C3%89ducation +Games_in_Education +ODRL_Initiative +Community_Mapping_and_Sensing +Intensive_vs_Extensive_Agriculture +Library_Park_Manguinhos +Andrew_Rasiej_on_how_Social_Media_are_Transforming_Democracy +Industrial_Symbiosis +Military_Open_Source_Software_Working_Group +Jai_Sen +David_Wiley_on_the_Meaning_of_Openness_in_Education +CERN_Open_Hardware_License +Cultural_Flatrate +Web_Finger +Principled_Societies_Project +Manifesto_for_an_Open_Philanthropy +Market_Compromise +Role_of_the_Internet_in_China +Peering_Agreement +Technologically_Enhanced_Basic_Income_as_a_Solution_to_Technological_Unemployment +Collaborative_Ownership_and_the_Digital_Commons +Imma_Harms +Ediger,_Steve +Tim_O%27Reilly_on_Education_as_an_Open_System +Human_Footprint +Discovery_Network +SciVee +From_Precarity_to_Precariousness_and_Back_Again +John_Lester_on_Second_Life +EDUfashion +Festivals +Portable_Social_Networks +Adam_Greenfield_on_the_Emotional_Aspects_of_Living_in_the_Networked_City +Accountability_21 +Suburban_Internet_Studies +CGB +Uldis_Bojars_on_the_Semantically-Interlinked_Online_Communities_Project +Ninjam +Primary_Loyalties +Mass_Evaluation +Microsummaries +Trust_Framework +Danah_Boyd_and_Doc_Searls_on_the_Value_of_Cyber-Utopianism +Coping_with_Tragedies_of_the_Commons +SOCMINT +Free_Music_Philosophy +Political_Spiritual_Matrix +Explaining_the_Peer_Assist_Process +Wireless_Technology_for_Social_Change +Occupy_The_Music +Planting_Justice +People-Centric_Web +How_to_use_Skype_for_Interviews +Gwen_Hinze_on_Balanced_IP_Regulations +Downloadable_Design +Creative_Commons_Rights_Expression_Language +Digital_Watermarking_Alliance +Integral_Bibliography_of_the_Evolution_of_the_Physical_Organism_and_its_Technological_Exteriorizations_Part_1 +Techno-Progressivism +Socioeconomic_Democracy +Manifesto +Agriculture_and_Food_Self-Certification_Systems +Open_API +15_May_Revolution +C2C,_B2C_and_the_New_Open_2.0_Business_Models +Education_in_Second_Life +Gesellshaft +Peer_to_Peer_Malware +Trashswag_Crowdsourced_Map_of_Salvageable_Materials +Internet_Governance_Forum +Public_Funding_of_Education +Common(s)_Core_of_European_Private_Law_2011 +Slashdot_Moderation_System +M-KOPA_Solar_-_Kenya +BitCongress +Invitation_to_Participate_in_the_Collaborative_Development_of_a_General_Theory_of_Relationality +Social_Semantic_Desktop +Post-Media_Lab +Drupal +Kevin_Rose_on_Web_Video_trends +P2P_Currency_Systems +Open_Art_License +Howard_Rheingold_on_Vernacular_Video +Aidphone_Flybox +Gated_Source_Communities +De-centered_Political_Strategies_-_Miguel_Benasayag +Distributed_Leadership +Tom_Munnecke_on_Uplift_Communities +Convergent_Friends +Open_XC_Platform +Open_Government +Chris_Anderson_on_the_Freeconomy +David_Eaves_on_Community_Management_in_Open_Source +Curtindo_Porto_Alegre_-_BR +Twelve_Leverage_Points_for_Intervening_in_a_System +Policies_for_a_Shareable_City +David_Korten_on_the_Great_Turning +Negativland_Mark_Hosler_on_Copyright +Non-Extractive_Investment_Fund +Spacehive +Wisdom_Game +Murphy,_Tim +Community_Forestry +Public_Information_as_a_Commons_in_the_Case_of_ERT_Public_Television_Archive_in_Greece +Strain_Info +Sound_Commons +Southwark_Circle +99_Percent +Mercado_de_la_Estepa/es +Wikisurveillance +Life_at_the_End_of_Empire +Society_for_New_Communications_Research +Sharing_is_not_a_Market_Failure +Scale-Free_Network +LavaAmp +OpenCourseWare +Jonathan_Zittrain_on_the_Web_as_Random_Acts_of_Kindness +Collective_Artificial_Intelligence +DIY_Self-Replicable_Solar_Forge +Actipedia +Significance_of_Widgets +Third_Information_Age +Denis_Postle_on_the_Psychological_Commons +CMWeb +Aether +Liberty_of_the_Networked +Industrial_Revolution_of_the_Middle_Ages +Nature_of_Capitalism_in_the_Age_of_the_Digital +Internet_Justice +Crowdsourced_Curation +Open_Access_Archiving +Open_Design_Definition +J%C3%A9r%C3%A9mie_Zimmermann_on_the_Copyright_Wars_against_the_Internet +Peter_Block_on_the_%22A_Small_Group%22_Project_for_Urban_Renewal +Innovation_Networks +Open_Public +Technocracy +World_Energy_Grid +Video-sharing_Network +Harmonization_Governance +Transition_Town +Social_Job_Search +Open_Venturing_Accelerator +Forum_da_Transpar%C3%AAncia_e_Controle_Social_de_Niter%C3%B3i_-_BR +Jussi_Parikka +Higg_Index +Transformative_Action_Learning_Research +Democracy_Now_on_Social_Networks_and_Social_Revolution +Open_Annotation_Core_Data_Mode +Three_Things_We_Need_to_Succeed_in_P2P_Politics +Customerism +Streetbank +Open_Source_GIS +Community_Supported_Breweries +Comparing_the_Industrial_Revolution_to_the_Personal_Manufacturing_Industrial_Revolution +Open_Access_Platform_for_the_Life_Sciences +DRM_Interoperability +Comunidad_de_Intercambio_del_Bajo_Andarax/es +Charlotte_Hess_on_Constructing_a_Commons-Based_Digital_Infrastructure +Tom_Atlee_on_the_Tao_of_Democracy +Bedrijfsleven_kampt_met_digitale_generatiekloof +A_Economia_Pol%C3%ADtica_Da_Produ%C3%A7%C3%A3o_Entre_Pares%22 +Social_Media_Business_Models +Eclipse_Foundation +Jane_McGonigal +Associations_fran%C3%A7aises_de_soutien_%C3%A0_mozilla +Murides +Flows +Miles_Fidelman +Reputation_-_Discussion +Bioecon +Health_2.0 +Peer_to_Peer_Computer_Networks +Urban_Farming_Platform +MedPedia +Digital_Public_Spaces +P2P_Networks_as_a_Source_of_Culture_Manifestations_in_Brazil +Learning_Commons +Commons_Abundance_Network_-_Post-conference_2013 +Interview_with_Hazel_Henderson_on_Evolutionary_Economics +FOSS_Bazaar +Micro-Everything_Revolution +GNU_SIP_Witch +New_Rules_Project +ArkOS +Howard_Rheingold_on_the_Three_Network_Laws +Building_Smart_Communities_through_Network_Weaving +Zapotec_Science +Benjamin_Tincq +From_Cooperatives_to_Enterprises_of_Direct_Social_Property_in_the_Venezuelan_Process +Just_Third_Way +1.2_GNU/Linux_et_le_Logiciel_Libre_(en_bref) +Grace_Lee_Boggs_and_Immanuel_Wallerstein_in_Dialogue_on_the_State_of_the_Social_Movements +Polycontexturality +Tradable_Energy_Quotas +NextNet +Suprasexuality +Anon%2B +Jane_Siberry_Sheeba_Download_Store +Locative_Journalism +Peter_Waterman_on_Communication_Internationalism_for_Labor_and_Unions +Who_Owns_Nature +P2P_Knowledge_Commons +Interpretative_Summary_of_the_International_Commons_Conference +CMML +Free_Network_Definition +Four-tiered_Monetary_System_of_the_Future +Net_Neutral_ISP +Eerste_legale_p2ptv-kanaal_op_BrightLive +Why_is_Open_Hardware_Inherently_Sustainable +EMachineShop +Primacy_of_the_Whole +Ego-Centric_Social_Network +Literature_Review_of_Buddhist_Economics +Energy_from_the_Perspective_of_the_Commons +Seb_Paquet_on_How_to_Become_a_Culture_Hacker +Google_Wave +Global_Telecentre_Alliance +Dismal_Science +Post-Fordism +Participatory_Spirituality_Conference +Sara_McCamant_on_Community_Seed_Projects +Ushahidi +Friend2Friend +Masqueunacasa/es +Open_Budget_Blogs +Tax +Re-Thinking_Social_Protection +Collaborative_Services +Police_Executive_Research_Forum +Unfold +Complementary_Currencies_as_Legal_Tender_for_Taxation +Inclusive_Capitalism +Mapa_de_Bancos_de_Tiempo_y_Monedas_Sociales_en_Espa%C3%B1a/es +G8_Open_Data_Charter +Sharing_Companies_Should_Be_Cooperative_T-Corporations +Eben_Moglen_on_the_RootS_of_Copyright +WikiLeaks_Supporters_Forum +Open_Sources +Open_Peer_to_Peer_Design +International_Food_Policy_Research_Institute +Bien_Commun_2004 +Manufacturing_Innovation_Policy +Dual_Licensing_in_the_Open_Source_Software_Industry +Justice-Based_Management +Beyond_TV +Freenet_movement +Cybersyn +Dynamics_of_Modern_Enclosure_and_Governing_the_Commons +Is_Web_2.0._a_Bubble +Christopher_Kelty_on_the_Culture_of_Free_Software +Hacktivism_2.0 +Shaping_Things +Rachel_Botsman_on_Collaborative_Consumption_Business_Models +Low-Cost_Hardware_for_Laboratory_Instrumentation +Oudere_Nederlandstalige_Bronnen_over_P2P +Anoptism +Walk_to_Brussels_-_2011 +Appendix_3:_The_P2P_Meme_Map +Common_Welfare_Economy +Do_We_Need_Two_Currencies +YADIS +Open_Source_Hardware_Distribution_Models +P2P_Foundation_Wiki_Introduction_to_Editing +Social_Hiring_Tools +Goeff_Mulgan_on_Social_Innovation +Slow_Cities +Arikan,_Burak +Patrick_Quinn +Rapid_Manufacturing +Trade_Exchanges +Role_of_the_Internet_in_Malaysia +Open_3D_Printing +WikiSpeed +Social_Market +Australia +Plug_Computer +Occupy_as_a_Peer_Production_of_a_Political_Commons +Erling_Berge +Wind_Guilds +Net_Dialogue +Mitchell_Tseng_on_Shanzai_and_Open_Manufacturing +Nicholass_Carr_on_the_Dark_Side_of_Web_2.0 +Scene +Occupy,_the_World_Social_Forum_and_the_Commons +Public_Credit +Power,_Nonviolence,_and_the_Will_of_the_People +Universal_vs_Global_Problems +Berlin_Commons_Conference/Workshops/MergedWorkshop +Marc_Canter +Cyberspace_Charter_of_Rights +Community_Innovation +Multilateralism_2.0 +Arvidsson,_Adam +Ecomodo +Open_CASCADE +Adam_Hyde_on_FLOSS_Manuals +Action_Leadership_as_a_Participatory_Paradigm +Hyperlocavore +What_Can_Social,_Intergenerational_and_Distributive_Justice_Approaches_Learn_from_the_Commons +Cyberthrongs +Interest-Free_Banking +Hackaton_contra_violencia_domestica/es +Radio_Open_Source_on_Surveillance +Brett_Frischmann_on_the_Management_of_Commons_Infrastructure +Move_to_Amend +Democracy_in_the_Marketplace +Free_Engineering +Open_Education_News +Rupert_Sheldrake_on_Morphic_Fields_and_Systemic_Family_Constellations +Virtual_Communication,_Collaboration_and_Conflict_Research_Group +Possession +People%27s_Voice_Media +Groupthink +Chris_Taggart +Paul_Schumann_on_Creating_an_Innovation_Commons +Testpage2 +Collaboration_Loop +Prayas_Abhinav_on_the_My_Creativity_Project +P2P_Urbanism_Projects +Force_11 +Tantek_%C3%87elik_on_Going_Beyond_Proprietary_Content +Economics_of_Peace_Conference +Henry_Jenkins_on_the_New_Media_Literacies +Open_Anthropology_Journal +Communal_Ownership +Principles_of_Open_Bibliographic_Data +Jonathan_Cabiria_on_Virtual_Environments_for_Social_Justice +Intention_Economy +Building_a_Better_Web-Based_Book +P2P_Goods_Rental +James_Surowiecki_on_the_Wisdom_of_Crowds +EcoFreek +PiggyBee +N1CC +Designing_Online_Communities +Participatory_Development_of_Technologies +Urban_Commons +Global_Footprint_Network +CSTART +Classification_of_Crowdsourcing_Approaches +Online_White_Flight +Open_Source_Science_Commons +Government_2.0 +Informal_Credit +Public_Library_of_Science +Butroi_bidean/en_transici%C3%B3n/es +Libre_Network_Service +Sovereignty_of_Labor +On_the_Viability_of_the_Open_Source_Development_Model_for_the_Design_of_Physical_Objects +Car_Journey_Sharing +Nottingham_Peer_Production_Workshop +Open_Grantmaking +P2P_Network_Trust_Relationships +Chris_Anderson_on_the_Emergence_of_Free +GPeerReview +Saberes_Ci%C3%AAncias_Criativa_-_BR +Campesino_a_Campesino +Foss_Licensing_Primer +SnapGoods +Creating_Invisible_Architectures_for_Collective_Wisdom +Doing_Good_Things_Better. +Do_We_Need_a_New_Vocabulary_for_Politics +Open_Gaming_Foundation +People%E2%80%99s_World_Conference_on_Climate_Change_and_the_Rights_of_Mother_Earth +Policy_Recommendations_for_a_Safe_Usage_of_Social_Network_Sites +Social_Gardens +Crowd_Farming_at_TEDxSydney +Spiritual_Inquiry +Poppy +BrickBuilders +Crowdsourced_Data_Analysis +Technoindividualism +Nicholas_Reville_on_Open_Video_and_Miro +Sharing_Directory +Democratic_Socioeconomic_Platform +Open_EEG +Long_Revolution +Tomislav_Tomasevic_on_Commons-Based_Political_Struggles_in_Central_and_Eastern_Europe +Stigmergic_Science +Reddcoin +Participatory_GIS +Social_Accounting_Metadata +P2P_Meltdown_Solutions +Community_Currency_for_Seed_Exchange +Screensharing +Gordon_Hume_on_the_Local_Food_Revolution +Powers,_Michael +Spectrum_Trust +Fablabs_and_Makerspaces_in_Africa +How_the_Liquid_Feedback_System_Works +Eric_Brun_on_The_Next_Web_Conference_2008 +One_Laptop_Per_Child +Lorenzo_Albanello +Threshold_Hypothesis +P2P_Mapping +Generalized_Reciprocity +P2P_Resource_Distribution_Pool +Argentinian_Interview +Open_Iberoamerican_Campaign +IdeaTorrent +Answer_People +Public_Domain_Dedication_%26_Licence +Marcin_Jakubowski_on_Transition_Towns_and_Open_Source_Villages +Amory_Lovins_on_Climate_change,_Peak_Oil_and_Energy_Autonomy +Community-Owned_Business +Science_Foo_Camp +Peter_Joseph_on_Economic_Calculation_in_Resource-Based_Economics +Bicycle_Sharing_System +TiddlyWiki +Citizens_Basic_Income +Equity_and_the_Commons +Open_Ministry_Finland +Flexible_Manufacturing +Efficiency +Entrepreneurs_as_the_New_Labor_Class +Pay-by-the-Word_Content_Marketplaces +Tero_Heiskanen +Setting_Up_Shop +Matt_Cooperrider +Sustainable_Agriculture_and_Off-Grid_Renewable_Energy +How_Open_Source_Hardware_differs_from_Open_Source_Software +Alterglobalization_movement_sites +Manuel_DeLanda_on_Assemblage_Theory +Human_Development +Peer_Production_of_Art +Egalitarian_Societies +Mitch_Downey +UN_Commons_Action_Team +Project_CCNx +Mobile_Public_Space +For_Benefit_Corporation_Models +Skylight_Associates +Think! +Logical_Graph +Alan_Rosenblith_on_Open_Money +Relative_term +MicroMappers +Overview_of_the_Economics_of_the_Commons_Conference +Social_Efficiency_of_Public_Services +Modern_Monetary_Theory +DIY_Citizenship +Public-Public_Partnership +Artistic_Co-Creation_as_a_Decentralized_Method_of_Peer_Empowerment +London_Community_Libraries +National_Council_of_Ayllus_and_Markas_of_Qullasuyu +Community_Managed_Libraries +GlobaLeaks +Global_Commons +Bruce_Sterling_on_the_Internet_of_Things_and_Spimes +The_Scientific_Worldview +Collaborative_Evolution_Network +Real-Time_Mobile_Protest_Applications +Social_Innovation_and_Design_For_Sustainability +Society_Against_the_State +Open_Source_Wind_Turbine +Promoting_the_Social_Commons +Michel_Bauwens_on_P2P_And_Open_Infrastructures +Distributed_Wind_Power +Raymond,_Eric +Koinomics +Crisis_of_Representation_and_Autonomy_of_Self +Mindful_Disconnection +Mary_Joyce,_Robin_Lerner,_and_Katharine_Kendrick_on_Digital_Activism +Civic_Democratic_Institutions +Progress_Trap +DIY_Mesh_Guide +Alessio_Bini +Property_Outlaws +Towards_an_Eclectic_Theory_of_the_Internet_Commons +Daniella_Jaeger_on_Kickstarter +Persuasive_Games +Open_Source_Film_Making +Circulation_Charge +Common_Gateway_Interface +GNU_General_Public_License +Digital_Media_-_Characteristics +Society_One +Yochai_Benkler_on_What_Comes_After_the_Era_of_Hobbesian_Selfishness +Peter_Sunde_on_One_Year_of_Flattr +Terry_Fisher_on_Promises_to_Keep +Get_started! +Bruce_Sterling_on_Industrial_Products_And_Ubiquity +Fabien_Miard_on_Mobile_Phones_as_Facilitators_of_Political_Activism +Digital_Earth_Project +Announcement_on_Two_Psyop_Operations_Targetting_the_P2P_Foundation +Kachingle +Embodied_Cognition +Knowledge_Commons_DC +Technology_Can_Be_a_Force_for_Liberation +Anatomy_of_the_Big_Society +Open_Source_Kitchen +Open_Manufacturing_Value_Stream +Commotion +Air +Dave_Grundy_on_Free_Home_Energy_Audits_in_Vermont +Network_Culture +Scale-Free_Design +Frontline_SMS +Can_the_Digital_Commons_Save_the_Natural_Commons +Innovation_and_Intellectual_Property_in_Fashion_Design +Notes_on_Spiritual_Leadership_and_Relational_Spirituality +Economics_of_Ecosystems_and_Biodiversity +Occupy_Medical +Thrive +Normative +Case_for_Open_Source_Law +Femke_Snelting_on_Open_Source_Publishing +Global_Reporting_Initiative +Value_Networks_and_Collaboration +Sustainable_Shrinkage +P2P_Foundation_Pages_Maintained_by_the_P2P_Foundation_Board_of_Directors +Network_Power +Tim_O%27Reilly_on_Government_as_a_Platform +Google_and_Skype_in_Davos +Fan_Fiction_and_Fan_Communities_in_the_Age_of_the_Internet +Open_Source_Dividends +Alden_Hollis_an_Jamie_Love_on_Alternative_Funding_Mechanisms_for_Open_Science +Michel_Bauwens_et_les_Politiques_Entre_Pairs_pour_les_Territoires +Federated_Social_Identity +Command_of_the_Commons_as_the_Military_Foundation_of_U.S._Hegemony +Reinvention_of_Localized_Economies +Help:Contents +Manchester_Manifesto_Group_on_Science_and_the_Public_Good +Irrawaddy +Open_Source_Hardware_Reserve_Bank +Ingo,_Henrik +Theses_on_the_Emergence_of_the_Peer_to_Peer_Civilization_and_Political_Economy +Liquid_Content +Open_Source_City_Mapping +Additive_Fabrication +Building_a_Solid_World +Marks,_Kevin +Material_Spirituality +Rachel_Botsman_on_What%27s_Mine_is_Yours +Roboy +Free_Hardware +Quantitative_Analysis_of_the_Full_Bitcoin_Transaction_Graph +Value_Network_Accounting +Open_Source_Torch_Table +Massively_Distributed_Authorship_of_Academic_Papers +Nikola_Vrdoljak +Chiemgauer +Social_Policy_Bonds +Granted_Property +WikiNode +Akvopedia +Circle_Organization +Helpouts +Microcelebrity +Theory_U +OpenMoko +David_Flanders_on_3D_Printing_as_a_Disruptive_Technology +P2P_Futures_of_Futures_Studies +Lietaer,_Bernard +Center_for_an_Agricultural_Economy +Capital_Grants_for_Youth +Kalevi_Kull +Center_for_Pattern_Literacy +Industrial_Government +Occupy_Language +Open_Optogenetics +Open_Produce +Khesang_Tshomo +Mobile_Active +Linux_Distributions +Copyfarleft +Open_Cloud_Computing_Interface +Jessica_Jackley_on_How_Kiva_Works +Andreas_Wittel +Creating_Maps_for_Everyone +Knowledge_Governance +Attitudes_to_Usury_-_History +GETS_Plus +Bruce_Yandle_on_the_Tragedy_of_the_Commons_and_the_Implications_for_Environmental_Regulation +Democaster +Kitegen +Bystander_Effect +Industrial_Artisans +Access_Trumps_Ownership +Ecological_Footprint +Seeds_and_Sparks +Factory_At_Home +Open_Innovation +Culturaeduca_-_BR +Reclaim_the_State +Under_the_Radar_and_Over_the_Top +Commons_Movement +Transparency_Life_Sciences +Open_Organizations_Project +Antje_T%C3%B6nnis +Structures_of_Feeling +Stevan_Harnad_on_Open_Access +Chandran_Nair_on_Turning_Asia_Away_from_Consumptionist +Open_Clothes +Bytes_for_All +Manufacturing_Partnership +Rural_Coliving +P2P_Infrastructure_-_Questions_and_Answers +Opening_Hardware_through_Legal_Tools +Attention_Curve +Wovel +Community_Forge +DIY_Streets +Dagmar_Scholle +Open_Access_Policy_Statements +Rurales_Enredaxs +Fab_Wiki +Interviews_with_Pioneers_of_Sharing_Exchanges +Gar_Alperovitz_on_What_Then_Must_We_Do +Virtue_and_the_Digital_Commons +Uruguay +Ethical_Economy +Self_Organised_Learning_Environment +Michel_Bauwens_on_Remix_Culture_and_the_Free_Culture_Forum +Sociality_and_the_Sharing_Economy +Coding_Freedom +Activitism +Global_Village_Construction_Set +Adad +Crisis_of_Value_Theory +Introduction_to_the_Tabby_Open_Source_Vehicle +Open_Commons_Game +Self-generating_Practitioner_Community +Community_Assets_Programme +Doing_It_Ourselves +PeerPoint +Citizen_Sensing +Disclosing_Information_about_the_Self_is_Intrinsically_Rewarding +RetroShare +The_Distributist_Review +Self-Organizational_Pedagogy +Open_Innovation_Consortium +David_Weinberger_on_Blogs_and_U.S._Politics +Goal-Based_Networking +Devices_of_the_Soul +Digital_Labor +Lira,_Luis_Gustavo +Films_to_start_meaningful_conversations +Ezio_Manzini_on_Design_for_Social_Innovation_and_Sustainability +Mintzalagun_eta_Mintzanet/eu +Worker_Cooperative_Development +Chris_Anderson_on_How_the_Internet_Is_Changing_the_Face_of_Manufacturing +Open_PDS_Project +Debating_Basic_Income_on_Al_Jazeera +Long-Term_Capitalism_Challenge +Cyberchiefs +Mach_30 +Collaborative_principles +Public_Domain_-_Book +Occupy_Everywhere_Panel_on_the_Future_of_the_Movement +Institute_of_the_Commons +Debt_Peonage +ID3 +Cell-Free_Synthetic_Biology +First_Mile_US +Lantern +Laboratorio_WikiXpress/es +Marx,_the_Commons_and_the_Environment +Pro_Commons_Cat_Hub +Ready_to_Share +P2P_Product_Cycle +OpenPicus +Aesthetic_Commons +FOSS_in_Taiwan +Occupy_the_SEC +DotP2PTLD +Architecture_of_Open_Source_Applications +Community_Informatics_Research_Network +Daniel_Goleman_on_Achieving_Ecological_Intelligence_in_Practice_through_Technology +Brain_Physiology_of_Egoistic_and_Empathic_Motivation +Bookcamping/es +Maker_Movement +2.1_Copyright_and_Mass_Media +Product_Service_Systems +Mapping_the_Frontiers_of_Governance_in_Social_Media +Tim_Hubbard_on_Data_Sharing_and_Open_Science_Ten_Years_after_the_Human_Genome_Project +Marcel_Bilow_on_Open_Source_Design +Scott_McGuire_on_Community_Food_Resilience +Earth_Law +Making_Good_in_Social_Impact_Investment +Corporation_2020 +Wikimedia_Foundation +Mechanical_Turk +Open_Media_Registry +Joseph_Reagle_on_the_Collaborative_Culture_of_Wikipedia +Elin,_Greg +Free_Design_Directory +Meraki +Open_Access_Anthropology +Dumping +Libre_Map +Makerbot +Enclosure_and_the_Information_Commons +Revolutions_of_1848 +Planetary_Skin_Institute +Markets_Not_Capitalism +Jagdeesh_V._Puppala +Scarcity_and_Creativity_in_the_Built_Environment +Mark_Joob%27s_Monetary_Reform_Proposal +Genome_Commons +Sweden +Measurement_Lab +Cogeneration +Pirates_and_Piracy +Striking_Debt +IPTV +End_Software_Patents +File-served_Television +Open_Source_Virtual_Worlds +Crude_Impact +Networked_Political_Activism_or_the_Continuation_of_Elitism_in_Competitive_Democracy +Brett_Scott_on_Open_Source_Finance +Building_a_Web_of_Needs +Humanitarian_OpenStreetMap_Team +Wikimedia_Commons +Open_Interface +Open_Source_as_a_Capitalist_Movement +Labour_Credit +OpenSourceEcology +Node_Connectivity +Institutional_Experimentalism +Open_Source_Powder-Based_Rapid_Prototyping_Machine +Concentric_Circle_Educational_Delivery_Model +Non-State_Sovereign_Entrepreneurs_and_Non-Territorial_Sovereign_Organizations +Commonsware +Future_Learning_Environment +Openness_Constituent_Group +Nicholas_Carr_on_the_Dark_Side_of_Web_2.0 +Personal_Democracy_Conference_Interviews +Connie_Kwan_and_Matt_Hockenberry_on_Mapping_Our_Footprint_via_Sourcemap +Transition_Towns +Five_Principles_for_new_public_policies +Quebec_Ouvert +Doc_Searls_a_Decade_of_Cluetraining_and_the_New_Capitalism +Momentum +Block%E2%80%99s_Corollary_on_Property_Rights +Bernard_Lietaer_on_Monetary_Democracy +Mike_Treder_on_NetRoots_Nation_2009 +Inquiries_into_the_Nature_of_Slow_Money +Hot_Spots +Infinite_Storage_of_Music +Hackers_Conferences +Gar_Alperovitz_on_America_Beyond_Capitalism +Spimed_Nomad_Aggregator +Evolutionary_Laws +Sousveillance +Gabriella_Coleman_on_Anonymous +Commons_Trusts_FAQ +Philippe_Van_Nedervelde +Beatiful_Economics +Intertwinkles +Why_Privatization_Doesn%27t_Work +Bernard_Stiegler_on_Social_Networking_As_the_New_Political_Question +Tim_May_on_the_History_of_the_Cypherpunks +Transorganization +Open_Science_Licenses +Time_Has_Come_to_Socialize_Social_Media_as_Public_Utilities +Daniel_Bruch_Duarte_on_the_Brazilian_Fora_do_Eixo_Solidarity_Economics_Business_Model +Asterisk +Global_Climate_Commons_Regime +Global_Text_Project +Freemarket_Anticapitalism +Newmark,_Craig +Key_demands_for_a_free_communication_infrastructure_that_enables_productive_collaboration +Jean_Gimpel +BetterMeans +Commons_Enabling_Infrastructures +End_of_the_Line +ArtistShare +From_Neuropower_to_Noopolitics +Selective_Laser_Sintering +Corporatism +Briar +Longue_Traine +Layne_Hartsell +Lawrence_Lessig_on_Sortition_and_Citizen_Participation +Psiphon +Bengla-Pesas +My_Society_-_UK +Modular_Building_Systems +Collaborative_Futures +Network_of_Global_Corporate_Control +End_of_Value_Chain_Organisations +Gracenote +Open_Hardware_Oil_Spill_Cleaning_Sailing_Autonomous_Robot +Asset_Transfer +Next_System_Project +Joe_Justice_on_Team_Wikispeed%27s_Xtreme_Manufacturing_Methodology +3.3_Placing_the_P2P_Era_in_an_evolutionary_framework +GIIN +Typology_of_Areas_of_Value_in_Co-Creation +Feenberg,_Andrew +Promise_and_Perils_of_Highly_Interconnected_Systems +John_Robb_on_Open_Source_Business_Ventures +Vivero_de_Iniciativas_Ciudadanas +Open_Source_Prospecting +Twittamentary +Etherrape +Cashwiki.org +Peer_Governance_Bibliography +Pochamama +Value_Sensitive_Design_and_Information_Systems +Self-Unfolding +Build_For_the_World +Proportion_of_Open_Access_Peer-Reviewed_Papers_at_the_European_and_World_Levels +Distributing_the_Future +How_the_German_Pirate_Party%27s_Liquid_Democracy_Has_Democratized_Internal_Party_Politics +Precarity +PhD_into_Consumer_Created_Designs +Free_Software_Underlies_the_NSA_Surveillance_State +Sascha_Meinrath_on_the_Commotion_Wireless_Open_Source_Wireless_Meshwork +Angelina_Russo_on_the_New_Spatiality_of_Cultural_and_Scientific_Communication +How_New_Media_Are_Affecting_%2708_Race +Desktop_Regulatory_State +Obama_Administration_Memorandum_on_the_Freedom_of_Information_Act +Net_Granny +Jem_Bendell_on_Rebuilding_a_Financial_System_by_Ourselves +Rosetta_At_Home +Possibilities_of_Open_Source_Architecture +Open_Hardware_Usage_Survey +Unpaid_Innovators +Citizen_Tech_Movement +Freeform_Construction +Fab_Labs_on_Earth +Estudio_de_Hackeos_de_la_Academia_(Hack_the_Academy_Studio)/es +David_Graeber_on_the_First_Five_Thousand_Years_of_Debt +Open_Design_Business_Models +Models_de_sostenibilitat_en_la_era_digital +Open_Spime +Makers_Calendar +Damanhur_Inside_Out +Magic_as_Participatory_Consciousness +Tadao_Takahashi_on_Brazilian_Open_Source_Projects +Microcasting_Alliance +Piracy_Paradigm +Michael_Wesch_Video_Profile +Crowdsourced_Food_Guides +Group_Corporations +Wiki_Matrix +Web_2.0_-_Het_is_weer_feest_in_South_Park +Death_of_Exchange_Value +Stages_of_Human_Development +Bug_Labs +How_the_Internet_Creates_Relational/Ecological_Forms_of_Awareness +Collecting_Rainwater_Illegal_in_Many_U.S._States +Community_Standard_for_Communicating_Designs_in_Synthetic_Biology +Union_for_the_Public_Domain +Third_Industrial_Revolution +Electracy +GitHub_Template_for_3D_Printed_Objects +Netaveillance +Starlogo +Neo_FreeRunner +Ego_Networks +Interview_with_Jean-Luc_M%C3%A9lenchon +Social_%26_collaborative_fundraising,_Peer-To-Peer_Paying +Proposal_For_A_Universal_Declaration_On_The_Common_Well-Being_Of_Humanity +World_to_Win +Lands_of_Sheraga +Venus_Project +Plug_in_TV +Alternatives_to_Capitalism_Symposium_of_the_Good_Society_Journal +Jono_Bacon_on_Community_Management_at_Ubuntu +Open_Initiative +Towards_a_Theory_of_Economic_Planning +National_Information_Exchange_Model +OER_Membership-Based_Funding_Model +Externalities +Common_Council_for_Monetary_Justice +Co-operative_Place_Making_and_Capturing_Land_Value_for_21st_Century_Garden_Cities +WorldVistA +OSDD_-_India +Free_Open_Source_Research_Community +Reverse_Bounties +Energy_Farms +Social_Learning_Networks +Jeff_Vail_on_Energy_and_Hierarchy +Allison_Clark_on_Tinkering_as_a_Mode_of_Knowledge_Production +Photo_Sharing +George_Dafermos +Vivero_de_Iniciativas_Ciudadanas/es +MySpace_Urbanism +Indigenous_Struggles_for_Equipotentiality +OER_Institutional-Support_Based_Funding_Model +Videos_on_Complementary_Currencies +Commonist +Sonia_Seetharaman_on_Folksonomies +Commonism +E2C/Modelos_Sostenibilidad +Recognition_Badges +P2P_Videos_on_Politics_and_E-Democracy +Open_Source_Hackers_Cooperative +Interoperability_of_Knowledge +Sj%C3%B6l%C3%A9n,_Bengt +Freecycle_Network +Evolution_of_Social_Systems +Flipping +University_2.0 +Neofeudalization +Sudo_Room +RedDry +Thacker,_Eugene +P2P_Foundation_Facebook_Page +Managed_Democracy_and_the_Specter_of_Inverted_Totalitarianism +Open_edX_Platform +TV_Communities +Network_Structure_of_Occupy +Logical_graph +Alan_Shapiro_on_Leaving_Reductionist_Science_Behind +Massimo_Menichinelli +Exner,_Andreas +Open_Source_Software_Business_Models +User-centered_Innovation +Techniques_for_Communicating_Anonymously +Emergence_of_New_Corporate_Forms +On_Balancing_Horizontal_and_Vertical_Spiritual_Development +From_Counterculture_to_Cyberculture +AudioXtract +Fair_Trade_Film-Making +Urban_Farming +Mobile_Activism +Technically_Together +2013_Spanish_Wikisprint_March_20_List_of_Participating_Cities +Ben_Einstein_on_Building_a_Hardware_Company +Ingenesist_Project +Community_Renewable_Energy_Webinar +Collaborative_Knowledge_Building_and_Integral_Theory +Engaging_Critically_with_the_Reality_and_Concept_of_Civil_Society +Sonia_Livingstone_on_Children_and_the_Internet +Country_of_PIOU +Cesar_Harada_on_the_Protei_Ocean_Cleaning_Project +Asset_Sharing +Albert-Laszlo_Barabasi_on_Networks_of_Human_Activity +Distributed_Wind_Energy +Reflections_on_Deliberative_Democracy +Information_Overload +Declaration_of_Economic_Democracy +Using_Citations_on_the_P2P_Foundation_Wiki +Cybertheology +Fatal_Fallacies_of_Suicide_Economics +Free_Identity_Foundation +%CE%93%CE%B9%CE%B1%CF%84%CE%AF_%CF%84%CE%BF_%CE%9A%CE%AF%CE%BD%CE%B7%CE%BC%CE%B1_%CF%84%CE%BF%CF%85_%CE%95%CE%BB%CE%B5%CF%8D%CE%B8%CE%B5%CF%81%CE%BF%CF%85_%CE%9B%CE%BF%CE%B3%CE%B9%CF%83%CE%BC%CE%B9%CE%BA%CE%BF%CF%8D_%CE%91%CF%80%CE%BF%CF%84%CE%B5%CE%BB%CE%B5%CE%AF_%CE%BC%CE%B9%CE%B1_%CE%99%CF%83%CF%84%CE%BF%CF%81%CE%B9%CE%BA%CE%AE_%CE%95%CF%85%CE%BA%CE%B1%CE%B9%CF%81%CE%AF%CE%B1; +Adapting_Commons_Regimes_for_Biological_Information +Low-Profit_Limited_Liability_Company +90-9-1_Theory +Three_Levels_of_FOSS_Governance +Open_Science_Project +Alastair_Fuad-Luke +How_to_Turn_Virtual_Designs_into_Physical_Objects +Gumstix +VP8 +BarCamps +Guerilla_Gardening +VODO +http://blog.p2pfoundation.net/ +Taylor,_Mark +Kevin_Kelly_on_the_Past,_Present,_and_Future_of_Publishing_and_Collaboration +Ralph_Nader_at_Occupy_Washington +Fractional_Scholarship +Open_Media_Directory +Vagdevi_Educational_Trust +Industrious_Revolution +Bubbling_Mechanisms +Open_Research_and_Development_and_Open_Innovation +Lead_Users +New_Cooperativism +Uni%C3%B3n_Solidaria_de_Trabajadores/es +Platform_for_Public-Community_Partnerships_of_the_Americas +Community_Garden +Eugenio_Battaglia_on_the_ScholRev_Project +Usage_Form_of_the_Commons +Infrastructuring_for_Opening_Production +Long-Range_Wi-Fi +Value +Reinventing_the_Sacred +Friends_of_OpenDocument_Inc +Open_Hacking +Brett_Neilson_on_the_EduFactory_Project +Structured_Design_Process +Biomimicry +Open_Design-Based_Strategies_to_Enhance_Appropriate_Technology_Development +Reputation_Capital +Commons_Approach_for_Developing_Infrastructure +Open_Source_Hardware_Association +Altergrowth +Occupy_Ideas +Future_of_Work +Maker_Beam +Richard_Resnick_on_the_Genomic_Revolution +Social_Solidarity_Cooperatives +Michel_Bauwens_on_the_Peer-to-Peer_Economy +Hierarchy_in_Distributed_Networks +People%E2%80%99s_Agenda_for_Alternative_Regionalisms +EconDem +IP-Layer_Neutrality +Cooperative_Accumulation +Fair_Use_and_Online_Video +Louis_Wolcher_on_the_Meaning_of_the_Commons +Polycentric_Systems_as_One_Approach_for_Solving_Collective-Action_Problems +Attuning_to_Natural_Energy_Flows_vs._Abstract_Economic_Rationality +Derrick_Thompson +Reichle,_Meike +P2P_Urbanism,_the_Book +Forest_Watchers +How_Important_is_the_Role_of_Technology_in_Social_Change +Private_Condo_Fiber +Networked_Sociality +Revolu%C3%A7%C3%A3o_dos_Baldinhos +Crowdfunding_for_Small_Towns +Cornelius_Schumacher_on_the_KDE_Foundation +Bloggers_who_bestride_the_earth +Food_Provisioning +Infotopia +UW_Libraries_Research_Commons +Crises,_Movements_and_Commons +Back_Type +P2P_Social_Energy_Currency +Independent_Infrastructure_Bank +Linux_Defenders +Buckminster_Fuller +Plataforma_de_Afectados_por_la_Hipoteca +Commoning +Nouvelle_Fabrique +Facilitation_Techniques +Clear_Village +Elf_Pavlik +Soulardarity +Janelle_Orsi_on_the_Role_of_Cooperatives_in_Resilience_and_Sustainability +Wallapa_van_Willenswaard +DESIS_Distributed_and_Open_Production_Cluster +ECC2013 +Deven_Desai_on_3D_Printing +Pareto_Principle +Networked_Individualism +Triple_Bottom_Line +Radical_Video_Library +Everything_Open_and_Free_Mindmap +Stigmergic_Dimensions_of_Online_Creative_Interaction +Distributed_File_Systems +SCEC +State_Theory_of_Money +Open_Source_Hardware_Bank +4L_and_4C_Participation_Models_in_Virtual_Communities +Semantically-Interlinked_Online_Communities +Jacob_Cook_on_arkOS_Secure_Self-Hosting +Amar_Kendale_on_Reshaping_Electronics_for_Connected_Health +Decentralized_Information_Group +Energy_Points +60_Minutes_on_Google +Dynamic_Pricing +Robert_Markley_on_Virtual_Realities_and_Their_Discontents +Airtasker +Interview_with_Charles_Eisenstein +Real_Lisbon_Treaty +Interview_with_Derrick_Jensen +Memetrackers +Digital_Capitalism +Concept_for_Crowd-Sourcing:_a_Strategic_Analytic_Model +Synergetics +At_the_Turning_Point_of_the_Current_Techno-Economic_Paradigm +Joan_Roelofs +Communication_Commons +Adrian_Chan +Open_Source_Designers +Magna_Carta +Community_as_Industry +Transmediale_2011_Panel_on_the_Future_Agenda_of_the_Free_Culture_Movement +Mitchell_Szczepanczyk_on_Network_Neutrality_and_the_End_of_the_Blogosphere +Introduction_to_Semco_Working_Practices +Common_Sense +Corporation_as_a_Collaborative_Community +Free_Network_Movement +Law_Prior_to_the_State +Gifts_of_Athena +Ascent_of_Humanity +Open_Source_Web_Development_Tutorials +Consumer-Controlled_Surveillance_Culture +Lauren_Higgings +Microlearning_2006 +Defining_Open_Content_Licenses +Buckminster_Fuller_on_Anticipatory_Design +Food_Movements_Unite +Plagiarism +Peer_Resources +Local_Currency +1.1_Le_projet_GNU_et_le_Logiciel_Libre +P2P_Finance_Association +Seti_At_Home +Financialization_of_the_University +Community_Economics +Enterprise_2.0 +Glad,_Tatiana +Richard_Douthwaite_on_Transitioning_to_Low_Carbon +Linda_Stone_on_Email_Apnea_and_Continuous_Partial_Attention +Gar_Alperovitz_on_the_Transition_Strategies_for_the_Next_Economy +Freedombox_Foundation +Linux_and_the_Management_of_Decentralized_Networks +Central_and_South_America +Web2.0._Meme_Map +Open_Compute_Project +OhMyGov +User_Generated_Context +Benjamin_Coriat +Citizen_Banking +IDEA +Alternativet +Can_Peer_Production_Make_Washing_Machines%3F +Net_as_Artwork +Architecture_Design_Sharing +Whuffie_Factor +Online_Community_Research_Network +Public_Produce +Coursera +Measures_for_Relocalization_and_Reruralization +Political_Tactics_of_the_Filesharing_Communities +Disassortative_Network +Research_Unit_on_Direct_Democracy +Asterix +Slice_the_Pie +Research_on_Co-operatives,_Mutuals_and_Social_Enterprise +Vidal,_Miguel +Media_Convergence +Collective_Action +Open_Source_Currency +Protest_Camps +Car-Free_Life +Relationality +Bal%C3%A1sz_Bod%C3%B3 +Communalism +PsyEnclosures +WTO_Hong_Kong +Large-scale_Internet_Collaboration +Stephen_Dowes_on_E-Learning +Open_Source_Drone_Autopilot_System +Crowdsources_Advertising +General_Assembly_Process_Guide +Hyper-Local_Crowdfunding +Richard_Hames +Small_Ownership_Group +Colectivo_Enmedio +Bio +Money_and_Magic +Equities-Based_Crowdfunding +Dieu,_Barbara +Methodological_Nationalism +P2P_Videos_on_Internet_Technology +Consent_vs._Consensus +Ecology_of_Commerce +Wikipedia_-_Epistemology +To_Whom_Does_the_World_Belong +Certificate_Authorities +Neil_Gaiman_on_Copyright_Piracy_and_the_Web +P2P_Trust +Producing_Open_Source_Software +Prosperity_Without_Growth +BotQueue +Bioculture +Sustainable_Economies_Law_Center +Circuito_Fora_do_Eixo +Personal_Manufacturing_Machines +Basic_Income_Studies +%CE%97_%CE%A0%CE%BF%CE%BB%CE%B9%CF%84%CE%B9%CE%BA%CE%AE_%CE%9F%CE%B9%CE%BA%CE%BF%CE%BD%CE%BF%CE%BC%CE%AF%CE%B1_%CF%84%CE%B7%CF%82_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7%CF%82_%CE%A0%CE%B1%CF%81%CE%B1%CE%B3%CF%89%CE%B3%CE%AE%CF%82 +Community_Wireless_Network +Andrew_McGettigan_and_Sean_Rillo_Racza_on_the_University_of_Strategic_Optimism +Plenty_Paradigm +Growth_Cycles +Ben_Quinones +Peter_Kollock_on_Social_Dilemmas_in_the_Commons +Identity +Labor_Gifting_and_Sharing +Post-Publication_Peer_Review +Origins_of_the_Spanish_15M_Revolution +Coworking_Directories +Ajax +Open_Welfare +Tahoe-LAFS +Jamendo +Cooperative +Raoul_Victor_on_Money_and_Peer_Production +Team_Wikspeed +Synoikism +Simon_Edhouse_on_the_Bittunes_Bitcoin-Based_Superdistribution_Model +Aaron_Makaruk_on_the_Open_Source_Ecology_Project +Interfaces_Publicas_-_BR +Vandana_Shiva_on_Intellectual_Property_as_Theft +Automated_Infrastructure +Circulation_of_the_Commons +Protest_Camp +Why_All_Knowledge_Should_Be_Free +Paul_Hartzog_on_the_Advantages_of_Scale_of_Openness_and_Peer_Production +Alexandria_Archive_Institute +Biz2Peer +Community_Networks_-_Brazil +Domeorama +Impact_Of_Open_Courseware_On_Paid_Enrollment_In_Distance_Learning_Courses +Hyperspeech_Transfer_Protocol +1.2_GNU/Linux_and_Open_Source +John_McKerrell_on_the_Open_Street_Map_Project +Free_Government +Alive_in_Bagdhad_-_Documentary +John_Heron%27s_Introduction_to_Facilitation +EParticipation +Community_Development_Credit_Unions +Zahi_Alawi_on_the_Facebook_Revolution_in_Egypt +Erik_Davis_on_TechGnosis +Moblog +Howard_Rheingold%27s_Experiments_with_Peeragogical_Learning +Richard_Heinberg_and_Helena_Norberg-Hodge_Discuss_the_End_of_Growth +Arthur_Brock_and_Eric_Harris-Braun_on_the_Metacurrency_Project +DIY_3D_Printing_and_Fabrication +Natural_Capital_Institute +Commons_Law_Project +Knowledge_Broker +Crowdsourced_Consumer_Research +GPL_Violations +Femtocells +Manifesto_for_Socially-relevant_Science_and_Technology +Cap_on_Inequality +Paul_Hartzog_on_Managing_the_Commons_and_their_Contradictions +Henry_Chesbrough_on_Open_Business_Models +Roomba +Wreck_A_Movie +Provision_of_Housing +Maker +Open_Company_Sector +Individual_and_publicGR +Delay-Tolerant_Networking +WiFi_Phones +Web_Operating_System +Internet_and_Democracy +Jennifer_Franco +Daniel_Hengeveld_of_NeighborGoods_on_Co-Sharing +Synergystic_Cooperation +Local_Control_and_Management_of_Our_Water_Commons +Direct_Economy +Kasper_Souren +Post-Materialists +Connective_Hypothesis +Distributed_Version_Control_Systems +E-Risc +ScatterChat +Open_Hardware_Repository +Open_Culture +New_Media_Rights +Charles_Eisenstein +Alternative_Media_Cooperative +Art_of_Free_Cooperation +Seven_Solutions_In_Favour_of_a_Free_Culture_of_Citizens_Who_Share +Julian_Dibbell_on_Play_Money +What%27s_Wrong_with_the_Current_Monetary_System +Minipublics +Mapping_All_Alternatives +Dan_Sinker_on_Open_Source_in_the_Newsroom +Gen_Kanai_on_Mozilla_and_Open_Source_in_Asia +Modular_Company +Social_Machines +Social_TV_Applications +Targeted_Currencies +Michel_Bauwens_on_the_Concept_of_Change_in_the_Age_of_P2P_and_the_Commons +Egocasting +Patient_Capital +Innovation_for_Equality_in_Latin_American_Universities +Peer_Lending_Student_Loans +Computer-Aided_Design_Software +FarmBucks +Red_Tory +Mercator_Research_Institute_for_Global_Commons_and_Climate_Change +Paul_Kingsnorth_on_the_Myth_of_Progress +Deliberative_Public_Engagement +Prelude +Beyond_Jobs +Virtual_Learning_Environment +Multigovernment +Een_lange_staart_is_goud_waard +Proutist_Economics +Elia_Hernando_Navarro +Biracy_Project +Danah_Boyd_on_Generation_MySpace +Energy +Social_Media_as_Surveillance +Geonomics +Gilmor,_John +Rights_Management_Information +Reproducible_Science_Needs_Open_Source_Software +Sardex +Appropedia +Community_Economies_Project +Mark_Shuttleworth_on_Free_Software_Engineering +Facebook_Effect +John_Robb +Amory_Lovins_on_Natural_Capitalism_as_the_Next_Industrial_and_Ecological_Revolution +Productive_Landscaping +Rachel_Wagner_on_Digital_Culture_and_Religion +Distributed_Authorship_and_Creative_Communities +Freematrix_Multiplex +Julian_Dibbell +%CE%97_%CE%B1%CE%BD%CE%AC%CE%B4%CE%B5%CE%B9%CE%BE%CE%B7_%CF%84%CF%89%CE%BD_%CE%9A%CE%BF%CE%B9%CE%BD%CF%8E%CE%BD_%CE%BC%CE%AD%CF%83%CF%89_%CF%84%CE%B7%CF%82_%CE%86%CE%BC%CE%B5%CF%83%CE%B7%CF%82_%CE%94%CE%B7%CE%BC%CE%BF%CE%BA%CF%81%CE%B1%CF%84%CE%AF%CE%B1%CF%82_%CF%83%CF%84%CE%B7%CE%BD_%CE%91%CF%81%CF%87%CE%B1%CE%AF%CE%B1_%CE%91%CE%B8%CE%AE%CE%BD%CE%B1 +Governance_Systems_Based_on_Idea_and_Action_Amplification +Guaranteed_Income +OMAR +Liberation_Technology_Project +Open_Education_Business_Models +Aktivdemokrati_-_Sweden +MakerPlane +Money_and_Peer_Production +Dewayne_Hendricks_on_the_Need_for_Open_Spectrum_Policy_Reform +Open_Patents +Theory_of_Fun_for_Game_Design +Theory_of_Great_Surges +Multiswap +Tragedy_of_the_Market +Jua_Kali +General_Theory_of_Collaboration_-_Bibliography +DVD_Burning_Services +Pay_Pal_Wars +Gaiafield_Project +Money_and_Sustainability +The_CivicSpace_Project_and_Emergent_Democracy +Craftster +Soil_Trust +Lawrence_Lessig_on_free_code_and_free_culture +Strategy_for_the_Commons +Dave_Rand_on_Micro-Volunteering +Economics_of_Free +Open_Geospatial_Consortium +Richard_Baraniuk_of_Connexions_on_Open_Source_Learning_and_Textbooks +Securities_Turnover_Excise_Tax +Making_Markets_Progressive +Weak_Ties +Logical_NAND +Business_Models_to_Support_Content_Commons +Garageband +Thai +Arthit_Suriyawongkul +Inalienable_Right +Sustainability_Leadership_in_a_Perverse_World +SurSiendo,_Comunicaci%C3%B3n_e_Intervenci%C3%B3n_Social/es +No_Somos_Hormigas/es +POA_Como_Vamos/pt +Kobo_To_Read_File +Universal_Debating_Project +Michael_Wesch_on_the_Anthropology_of_YouTube +Jeremy_Rifkin_on_the_Emphatic_Civilization +Agenda_Colaborativa_de_Porto_Alegre +Jermain_Kaminski_on_the_YouMeIBD_Interactive_Online_Matchmaker_for_Patients +Open_Access_E-Textbooks +Generic_Mapping_Tools +Hugh_Reinhoff_on_Citizen_Science_in_Biology +Commons_-_Governance +Public_Good +Michael_Hudson_Explains_the_Rationale_for_High_Taxes_on_Unearned_Income +ECC2013/Knowledge_Stream/Topics +Lawrence_Lessig_on_the_Change_Congres_Project +Mutual_Aid_Societies +InternetNZ +Microfinance +Knowledge_Sharing +Consortium_for_the_Barcode_of_Life +Co-Governance +Open_CourseWare_Finder +Airesis +Copyright_from_Incentive_to_Excess +Evolution_of_God +Open_Source_Software_Foundations +TUMBUH_Education +Christian_Felber_on_the_Common_Welfare_Economy +Open_Source_National_Security +Eri_Gentry_on_Garage_Biology_and_DIYbio +Testimonials +Core_Common_Infrastructure +Sign_relations +Code_Breakers +Patient-Generated_Content +European_Policies_to_Support_Open_Source_Innovation +Produce_Exchange +Foundations_of_a_Love_Economy +Radically_Distributed_Supply_Chain_Systems +Open_Relief +Mirko_Lorenz_on_Open_Data_in_the_Newsroom +Illusory_Superiority +Opening_Science_to_Society +Bibliography_for_the_FLOK_Society_Transition_Project +FabFi +Social_Operating_System +FOUNDhouse +David_Graeber_on_Debts,_Money,_and_Markets +3D_Printers_for_Peace +Citizen_Deliberative_Councils +Control_and_Subversion_in_the_21st_Century +Myths_and_Realities_about_Effective_Civil_Society_Participation +Open_Spectrum_Videos +Augmented_Revolution +Presentations_of_the_Fourth_Oekonux_Conference +Story_of_Electronics +Relationships_between_Open_Source_Software_Companies_and_Communities +Top_Ten_Constituents_of_New_Commons_Economy +Creative_Commons_CC_Protocol +FreeSwitch +Crowdsourced_Car_Engineering +CAMBIA_BiOS_Initiative +Foundation_for_a_Free_Information_Infrastructure +Edible_Food_Forest +Pattern_Language +Wannalearn +Map_of_Learning_Theories +Alternatives_to_liberal_individualism_and_authoritarian_collectivism +Wendy_Seltzer_on_Righting_the_Copyright_Balance +Craig_Spurrier_on_Studying_Wiki_Communities_from_a_Social_Science_Perspective +Sharing_and_the_Creative_Economy +Politics_of_Money +Autonomous_Reputation_Framework +Gift_in_Cyberspace +How_to_do_Open_Educational_Resources +Internet_Volunteering_Resources +User_Mode_of_Production +Kennedy,_Margrit +Zero_Anthropology +Solecopedia +Documentation_on_the_ECC2013_Land_and_Nature_Stream +From_Enterprise_2.0_to_Social_Business_Design +Role_of_Participation_Architecture_in_Growing_Sponsored_Open_Source_Communities +Magnus_Eriksson_on_the_Pirate_Universe +Ludwig_Schuster_on_a_New_Monetary_Pluralism_through_Regional_Economic_Circles +HackLab_de_Barracas/es +Massimo_De_Angelis +The_Political_Economy_of_Peer_Production +Cine_CC_donostia/es +Online_Video_Networks +7._P2P_and_Social_Change +Resource-Based_Taxation +MondoNet +Gruppo_Salingaros +James_Pike_on_Equity_Partnerships_for_Non_Debt%E2%80%93based_Financing +BitInstant_Bitcoin_Economy +Transmediale_2011_Panel_on_the_Bioeconomy_and_the_Crisis_of_Cognitive_Capitalism +Tribes_of_intelligence +Neo-Ethics +Logical_Conjunction +Platoniq_Interviews_Michael_Linton +Global_Alliance_for_Immediate_Alteration +Andrew_Rasiej_on_how_Technology_has_changed_Politics +Guide_to_Mobile_Security_for_Citizen_Journalists +Size_and_Value_of_EU_Public_Domain +http://bloggr.p2pfoundation.net/ +Christian_Arnsperger +Open_Mesh_Routing_Protocols +WaagSociety +Tristan_Nithot_on_Mozilla_Europe +SolaRoof +Wael_Ghonim_on_the_Role_if_the_Internet_in_the_Egyptian_Revolution +Vera_Franz_on_Access_to_Knowledge +Badger,_Paul +Economic_Democracy +Kit-Driven_Innovation +Documentary_about_the_Indignant_15M_Movement_in_Spain +Shared_Machine_Shops +DIY_Britain +ChangeLab +Neues_Geld +Lili_Fuhr +Conceptual_Integration_Techniques +Voice_Chat_Services +SIP +Collective_Effervescence +International_Forum_on_Access_to_Culture_and_Knowledge_in_the_Digital_Era +The_Singularity +Adafruit_Industries +Genomic_Biobanks_Charitable_Trusts +Practivists +Connection_Commons +Derivative_Abundance +Free_and_Open_Source_GIS_Software +Anon_Plus +Internet_Backplane_Protocol +Institutionalization_of_Online_News_and_the_Creation_of_a_Shared_Journalistic_Authority +Technolibertarianism +PLoS +Land_Trust +Plasma_Cutting +Commons_Convergence +Sympathy_Circle +Rational_Altruism +Open_Source_Water_Boiler_and_Purifier +Earth_OS +Power_Purchase_Agreement +Archon_Fung_on_Transparency_and_Democratic_Control +Elinor_Ostrom_on_Going_Beyond_the_Tragedy_of_the_Commons +P2P_Aspects_of_the_Arab_Uprisings_of_2011 +Cultures_and_Ethics_of_Sharing +Inquiry_Live/Participants +Rosetta_Languages_Preservation_Project +Distributed_Generation_with_High_Penetration_of_Renewable_Energy_Sources +Making_Worlds_Commons_Coalition +Research_Information_Exchange_Markup_Language +Technography +MatterNet +Simona_Levi +Denis_%22Jaromil%22_Rojo_on_the_Dyne_Project +Domination_and_the_Arts_of_Resistance +Deliberative_Poll +Dan_Schawbel_on_the_Emerging_Collaborative_and_Sharing_Mentalities_of_the_Millenial_Generation +Content_Flatrate_and_the_Social_Democracy_of_the_Digital_Commons +Triple-Entry_Accounting +Distributed_Selection +Homeowners_Equity_Corporation +Beatpick +Dave_Hakkens_about_the_Co-Design_of_Phonebloks +Introduction_to_Laser_Cutting +Free_Software_for_Development +JumpCut +Edupunks +Commerce_in_the_Commons +Metabolic_Rift +Reflections_from_the_European_Deep_Dive_on_the_Commons +Biblioteca_Popular_de_Barracas/es +Hierarchy +Co-Creation_Facilitators +Chord +McKenzie_Wark_on_the_Rentier_Vectoral_Class +Downloading_as_Deviance +Web_Activist_Collective +John_Chen_of_Sybase_on_Open_Source_Business_Models +Towards_Mission-Controlled_Corporations +Peter_Sunde +Community-Based_Unionism_Confronts_Accumulation_by_Dispossession +Hypergrid_Adventurers_Club +Building_the_Institutions_of_the_Commons +DIY_Genomics +Anti-rivalness_of_Free_Software +Liquid_Space +HCard +Sharing_Economy_-_Business_Models +Open_Stimuli +Flexible_Purpose_Corporation +Peer-to-Peer_Agriculture +Giftegrity +Autonomous_Internet +Michael_Albert_on_Participatory_Economics +Heinrich_Boll_Foundation +Metaverse_Metrics +ZopaWeb +No_Local +P2P_Blog_Book_of_the_Day +Whisher +Pre-Selling +Problems_with_Intellectual_Property +Jos%C3%A9_Luis_Coraggio/es +How_to_Build_a_Post-Scarcity_Village +Andrew_Ross +Julio_Lambing +El_Buen_Vivir_and_the_Commons +Commons_Governance_Work_Group +Desire_for_Transparency +Classyfying_Complementary_Currencies +Micromanufacturing +Genevieve_Vaughan +Delegative_Democracy +Open_Democracy_and_Citizen_Movements%27_Role_in_the_Icelandic_Constitution +Douglas_Rushkoff_of_Getting_Past_Free_Through_Radical_Abundance +Fair_Trade_Banking +Deep_Tagging +Alternative_Information_Technologies_Association_-_Turkey +Abundance_Logic_vs_Scarcity_Logic +RIPE_Atlas +NPR_Radio_Open_Source +Cap_and_Trade_Policy_Primer +Charlotte_Hess_on_Crafting_New_Commons_for_Collaboration,_Participation,_and_Sustainability +Kevin_Kelly_on_the_Era_of_Biological_Technology +Breaking_Barriers +Darwinian_Security +Report_of_the_Oxford_Martin_Commission_for_Future_Generations +Social_Network +Biblioteca_Parque_de_Manguinhos_-_BR +Blog_Video_of_the_Day_Archive_2012 +Blog_Video_of_the_Day_Archive_2013 +New_Wealth_of_Time +Open_Media +Gross_National_Happiness +Interviews_on_Digital_Fabrication +Co-Intelligent_Economics +Web_Resource_Operating_System +Forming_and_Norming_Social_Media_Adoption_in_the_Corporate_Sector +Occupy_Audio +Opus(VisualArt) +Transliteracy +What_is_Openness%3F +GNU +Appropriation_and_Annotation_Literacy +2.2_TIC_et_%27Piratage%27_(en_bref) +Community_Food_Forest +Peer +Making_of_the_Indebted_Man +GNU_Affero_General_Public_License +Peer-to-Peer_Tactical_Torrents_for_Battlefield_Usage +Common_Capital +Too_Big_to_Know +Learning_2.0_Tip_of_the_Week_Podcasts +Collaborative_Shipping_Network +Boy_Who_Never_Slept +Pedro_Soares_Neves +User_Firms_in_the_18th_Century_Iron_Industry +Las_Indias +Open_Visualization +Nature_of_the_State_after_the_Meltdown_of_Neoliberalism +Kubik/es +Dematerialism +Open_Versions_of_Lab_Equipment +Google_Tech_Talks +Communautique +CERN_Open_Hardware_Licence +Inteligencias_Colectivas/es +Symphrenia +Open_Licensing_Approach_for_University_Innovations +Open_Customization +Roberto_Verzola_on_the_Theory_and_Practice_of_Abundance +Andrew_McAfee_on_Enterprise_2.0 +GNU_Media_Peer +Unlocked_Media_Trademark +George_Papanikolaou +Speak_Free_Music +Oriana_Persico +Business_Models_for_Open_Access_E-Books +How_the_NYC_General_Assembly_Works +Shift_Change +Friends_of_Wikileaks +Cooperative_Ecology_Project +Revolu%C3%A7%C3%A3o_dos_Baldinhos_-_BR +Milton_Mueller_on_Networks_and_States_and_the_Global_Politics_of_Internet_Governance +Intermediate_Technologies +Arguments_for_Demurrage-Based_Post-Growth_Currencies +Extended_Rights_Markup_Language +Internet_Measurement_Research_Group +Potlach +Social_Grocery_Shops +Introduction_to_the_WIR_Bank +Centre_for_the_Analysis_of_Social_Media +Tweets_and_the_Streets +Online_Town_Hall_Meetings +Frank_van_Laerhoven +EmbeddedAT +Riane_Eisler_on_Caring_Economics +Shawn_Callahan_on_the_Cynefin_Framework +Avellano_Castella_Medieval_Democracy_Model_in_Northern_Tuscany +Open_Cafe +Glossary_of_Relational_Terms +Geospatial_Web +Integral_Research_Methodology +Enterprises_of_Drect_and_Indirect_Social_Property_in_Venezuela +Ludwig_Schuster +Banking +4th_Inclusiva_-_Michel_Bauwens_-_Peer_Production +P2P_International_WikiSprint +Measures_to_Shift_to_a_Sustainable_Commons-Based_Global_Economy +Cultural_Commons +Activism-Hacking-Artivism_Camping_-_Italy +Networked_Clearing_Union +West_Marin_Commons +Kelso,_Louis +World_is_Open +Lawrence_Lessig_on_Copyright_Wars +Tax_Sharing +Interview_of_Michel_Bauwens_by_Bertram_Niessen_and_Zoe_Romano +Spring_alpha +Whopools +Articles_on_Commons_Economics +Product-Centered_Business_Supply_Chain_Development_vs_People-Centered_Business_Network_Ecosystem_Development +Edge_Feeders +Michael_Hudson_on_Economic_Rent +Latin_American_Open_Textbooks_Initiative +Electric_Mobs +Open_Search +Buddhism_and_Peer_to_Peer +Google_Apps_for_Government +SPARC +Hyperobjects +Hackspace_Foundation +Benjamin_Updated +Three_Tails +Open_Collaboration_Platforms +Downhill_Battle +Sampo_Karjalainen_about_Open-ended_Play +Internet_Gift_Economies +Our_Water_Commons +Video_Streaming_Sites +InstitutesForSystemBiology +Linked_Data +Open_Government_Data_Project +Cooperative_Consortia +Participatory_Politicisation +Bringing_the_Power_of_the_Law_to_Environmental_Stewardship_with_Common_Property_Rights +Solidarity_Economy_Maps +Carobotero +Armillaria +Cooperative_Content_Distribution_Model +Hygiene_Economy +Open_Source_Engineering +Social_Bookmarking_in_Plain_English +Chandran_Nair_on_Turning_Asia_Away_from_Consumptionism +Coalition_for_Action_%22Copyright_for_Education_and_Science%22 +Bia_Kud_Chum_Community_Currency_System_-_Thailand +Civic_Groups-Based_Mutual_Aid +Open_Source_Physical_Objects +Link_List_3 +Link_List_2 +Financial_commons +Cosmobiological_Tradition +Slow_Money +Beyond_the_PDF +Trans-Pacific_Partnership_Agreement +Networganisation +Peter_Goor_on_Swarm_Creativity +Open_Knowledge_Commons +Alberto_Cottica +Thomas_Greco_on_the_State_of_the_Monetary_Reform_Movement +Comparison_of_Micro-Blogging_Services +Collaborative_Production +Hard_Hack +Shared_Earth +Anurag_Acharya +Plan_B_3.0 +Microblogging +Active_Web +Free_Design +Open_Warfare +Collective_Identity +Green_Worker_Cooperatives +Madre_Tierra/es +Coming_of_Age +Steve_Rubel_on_Micro_Persuasion +Patacones +User_Innovation_in_the_Automobile_Sector +Hardware_Product_Canvas +Mary_Madden_on_Reputation_Management_and_Social_Media +Brian_Miller_on_the_Self-Made_Myth +Open_Governance_Initiative_for_India +Open_Source_Medical_Device +Horizontal_Information_Seeking +Open_Source_Ecology +Augmented_Social_Cognition +7.1.D._Possible_political_strategies +Jenny_Lee_on_Digital_Justice +Room_Sharing +Karim_Lakhani_on_Open_Source_Science +Detroit_Urban_Organic_Agriculture +Green-Collar_Communities_Clinic +Corporate_Personhood +Participatory_Development_Forum +Center_for_Cooperative_Research +Timebanking_Software_Platforms +Free_Music_Public_License +Open_Source_Consortium_-_UK +Geospatial_Data +Paid_Usership +James_Boyle_on_Distributed_Creativity_and_the_Logic_of_Control +Civil_Society_Information_Society_Advisory_Council +Telehash +Crowd +Institutes_For_System_Biology +Against_the_Internet-Centric_Totalizing_Anti-Hierarchy_and_Anti-Centralization_Ideology +Resilience_Groups_Directory +Citizen_Participation +Alex_Steffen_on_the_Shareable_Future_of_Cities +Seyyed_Hossein_Nasr_on_the_Metaphysical_and_Cosmological_Roots_of_the_Ecological_Crisis +Une_r%C3%A9volution_en_marche_(en_bref) +Community_Lover%E2%80%99s_Guide_to_the_Universe +Organizational_Frames +Creating_the_Commons_through_a_Contemporary_Agora +Free_Curricula_Center +Carlo_Vercellone_and_Matteo_Pasquinelli_on_the_Art_of_Rent +Micro-Enterpreneurship +Toward_A_Truly_Free_Market +Facebook_Users_Union +Independent_Practitioners_Network +Defending,_Reclaiming_and_Reinventing_the_Commons +CECOSESOLA +Participatory_Democracy_Networks +Sur_South +Shayda_Naficy +Ben_Cerveny_on_Pervasive_Computing +Shared_Wireless_Use +JinboNet +On_the_Necessity_to_Internalize_Costs_in_a_True_Cost_Economy +Occupy_The_Farm +ECars_Now +Critical_Integral_Community_Principles +Empire +Intellectual_Contributions +Citizen_Tools +Open_Access_Property +Occupy_Rooftops +Forest_Ethics +Common_Security_Clubs +Decision-support +Homophyli +Douglas,_ErikFirefoxHTML%5CShell%5COpen%5CCommand +Carsharing_Policy +Bio_Weather_Map +Sustainable_Energy_for_World_Economies +Community_Environmental_Legal_Defense_Fund +Exploit +Robley_George +Drieghe,_Geert +Fair-Share_Labor_System +Charles_Leopold_Mayer_Foundation +Community_vs_Centralized_Development +Interview_with_Michel_Bauwens_for_Basque_Innovation_Community +Uneconomic_Growth +Virtue_Systems +Une_r%C3%A9volution_des_m%C3%A9thodes_de_production_(en_bref) +Catarina_Mota_on_Open_Materials +Alterglobalization_Movement_-_Networked_Aspects +Open_Flix +Coral +Richard_Susskind_on_the_Internet_and_the_Administration_of_Justice +Five_Policy_Solutions_to_the_Climate_and_Energy_Crisis +Land +Revenue_Based_Financing +Life%27s_Economic_Survival_Protocol +Promise_of_Open_Media +Hipermedula.org/es +User-Owned_Open_Fiber_Networks +We_Are_the_Media +Why_Market_Prices_Don%27t_Work_in_a_Service_Economy +Seth_Godin_on_Tribes +Phase_Transition_Bibliography +Michael_Madison +Neo-Marxism +How_to_Reconcile_Participation_and_Representation +Network_Discrimination +P2P_Wiki/Decentralized_Wikis +Open_Anthropology +Prosumer_Studies_Working_Group +Logical_equality +Manovich,_Lev +Canadian_Community_Investment_Network_Co-operative +Philippe_Aigrain_on_A_Self-standing_Financing_Model_to_Help_Sustain_the_Non-market_Digital_Commons +Alchemergy +Crisis_of_Consumerism +Open_City +Situated_Simulation +El_Cumbre_Rights_of_Mother_Earth_Conference +Hexayurt +Civic_Socialism +Democratic_Access_to_Broadband +Introduction_to_the_Mondragon_Cooperative +Eric_Maundu_on_Arduino-Based,_Urban_Aquaponics_in_Oakland +Decentralized_Autonomous_Corporation +Cost_Plus +Microfinance_Brokers +Open_Source_Construction +Liquid_Feedback_Voting_Software +Beneath_the_Metadata +Participative_Business_Models +Ownership_of_Software_vs._Ownership_of_Goods +Dialogue_Mapping +Makers +Declaration_on_Seed_Freedom +Jennifer_Shkabaturi_on_Wiki_Democracy_and_the_Promise_of_Wikis_for_Civic_Engagement_in_Policymaking +Democracy_2 +Open_Currency_Transport_Network +Peace_and_Security_Commons +Case_Pyh%C3%A4joki +Commons_and_the_State_-_Discussions +Coworking_Visa +Dissipative_Structures +Marx,_Marxism_and_the_Cooperative_Movement +Netroots_Nation +Recognition_Networks +Counter-Democracy +Luke_Johnson_on_the_Perils_of_Property +The_Venus_Project +Multi-Stakeholder_Co-ops +Neo_in_Wonderland +Linux_Distribution +Non-Market_Calculation +PEER +Open_Media_Commons +Capitalist_Collaborative_Production +Civic_Fruit +Public +Viral_Spiral +Mark_Pesce_on_the_Power_of_Sharing +Make_Your_Own_Gear +Invisible_Hand +Causewired +P2P_Psychotherapy +Autonomous +What_is_the_Relationship_Economy +Economics_of_Anti-Capitalist,_Anti-Globalist_and_Radical_Green_Movements +P2P_Blog_Person_of_the_Day +History_of_Social_Venture_blog +Amateur_to_Amateur +Revolt_and_Crisis_in_Greece +Ismael_Pe%C3%B1a-L%C3%B3pez_on_Personal_Learning_Environments +GitHub +Comedy_of_the_Commons +From_Vertical_Spatiality_to_Horizontal_Spatiality +Anti-Utilitarian_Movement_in_the_Social_Sciences +Down_and_Out_in_the_Magic_Kingdom +Because_Value_Effect +Human_Age +P2P_Is_Not_a_Mode_of_Production +Technological_Constructionism +Open-Source_Permacities_Game +Federici,_Silvia +Pippa_Buchanan_on_a_DIY_Masters_Degree +Free_Software_as_Property +Interview_with_Massimo_De_Angelis_and_Stavros_Stavrides_on_the_Commons +How_Low_Participation_Costs_Make_Peer_Production_Inevitable +Blogging_Standards +Location-Based_Community_Consultation_Platform +Daniel_Kreiss_on_the_Crafting_of_Networked_Politics_from_Howard_Dean_to_Barack_Obama +Alice_Taylor_on_Personal_Manufacturing +Building_Blocks +Internet_Defense_League +Abundance_Logic +Owner-centric_Authority_Model +Aram_Sinnreich +Alquim%C3%ADdia +Copyright,_Copyleft_and_the_Creative_Anti-Commons +Guaranteed_Minimum_Income +Meaning_of_Liberalism_Today +Public_Lab_DIY_Spectrometry_Kit +Decentralized_Enforcement +Virtual_Identity_Graphic +Mark_Jo%C3%B3b +Our_Expert_Database +Gabriella_Coleman +Linux_-_Governance +Maron,_Mikel +Citizen_Ownership +Advanced_Civilisation +Function_of_Money +Open_TechSchool_-_Kreuzberg +Coordination_Failure_in_Market-Based_Societies +Integral_Politics +Cyberterrorism +Twinsumer +Three_Challenges_for_the_Sharing_Economy +On_the_Importance_of_Architectures_in_Social_Studies_of_Peer-to-Peer_Technology +Wikipra%C3%A7a_-_BR +Open_Process +Agriculture_Commons +Precarias_a_la_Deriva +Problem_of_Growth_as_Related_to_Hierarchy +Open_Spreadsheets +Open_Food_Supply_Chains +Four_States_of_Digital_Democracy +Conversion_Model +Lumenlab_Micro_CNC +In_a_Nutshell +Webwide_Lifestream_Aggregator +Collaborative_Argumentation_Analysis +Miller,_Ellen +Peer_Counselling_Community +Ugo_Mattei_on_the_Constitutive_Power_of_the_Commons +GeoRSS +Use_Value +Open_Source_Biology +Born-digital_Electronic_Scholarship +Peter_Morville_on_Ambient_Findability +Paul_Hawken_on_Natural_Capitalism +Constitutionalizing_the_Commons +Avery_Louie_on_Achieving_Research_Cost_Savings_Through_DIY_Bio +P2P_Urbanism_Definition +Open_Philanthropy_Exchange +%CE%A4%CF%81%CE%B9%CF%83%CE%B4%CE%B9%CE%AC%CF%83%CF%84%CE%B1%CF%84%CE%B7_%CE%95%CE%BA%CF%84%CF%8D%CF%80%CF%89%CF%83%CE%B7_%CE%BA%CE%B1%CE%B9_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CE%A0%CE%B1%CF%81%CE%B1%CE%B3%CF%89%CE%B3%CE%AE +Moshav_Shitufi_Model +Compensation +Academic_Torrents +Open_Education_Video_Studio +Undone_Science +User_Owned +Network +Community_Supported_Manufacturing +Voices_of_the_Virtual_World +Jean-Fran%C3%A7ois_Noubel_on_Collective_Intelligence_and_Invisible_Architectures +Barbara_Aronson_on_Open_Access_to_Biomedical_Research_in_Developing_Countries +Personal_Learning_Environments,_Networks,_and_Knowledge +Digital_Media_Technological_Freedoms +Pang,_Natalie +Reformatting_Politics +Global_Commons_Foundation +Open_Data_in_Science +Occupy_the_Banks +Swarmteams +Earth_Belongs_to_Everyone +Joe_Brewer_on_How_To_Bring_About_Real_Change +Moneychanger +Cluetrain_Manifesto +Permafacture_Institute +Don_Tapscott_on_Four_principles_for_the_Open_World +Open_Design_License_Agreement +P3_Systems +RDFa +Revolte_des_Pronetaires +Collaborative_Defense +Recyclebot +Conversational_Commons +Interview_with_Joseph_Tainter +Association_for_Interactive_Democracy +Access_to_Health +Castoriadis,_Cornelis +Theology_of_the_Built_Environment +Exploring_the_Role_of_Community-Based_Social_Movements_in_Sustainable_Energy_Transitions +Red_Plenty_Platforms +History_of_Social_Venture_Wiki +Big_Data,_Communities_and_Ethical_Resilience +Common_Pool_Resource_Governance_Best_Practices +Filesharing_Clubs +Luis_von_Ahn_on_Massive-Scale_Online_Collaboration +Community_Supported_Agriculture +Invitation_list +Danah_Boyd_and_Douglas_Rushkoff_on_MySpace +We-Fi +Steven_Webber_on_the_Success_of_Open_Source +International_Aid_Transparency_Initiative +New_Perspectives_on_Investment_in_Infrastructures +EEC_Support_Team +3Drag +Infrastructures_for_Open_Access_to_Open_Content +Collaborative_Standards_Initiatives +P2P_Money_Blog +Peer-to-Peer_Unionism +EChanter +Henrik_Ingo +Stephen_Downes_on_E-Learning +Slum_Dwellers_International +Abundant_Exchange +Todd_Lester_on_the_freeDimensional_Project +Fan_Fiction +Open_ESF +Linux_Standards_Base +Collaborative_Rationality +Agroecology_and_the_Right_to_Food +Program_on_Networked_Governance +Community-Driven_Investigations +Citizen-Centered_Governance +Michele_Boldrin_and_David_Levine_Against_Intellectual_Property +Open_Access_to_Video +Open_Source_Financial_Transactions_Processing +Liebhold,_Michael +Dividend_Economics +Manish_Shah_of_Rapleaf_on_Reputation_and_Identity_Online +Mobile_Processing +David_Graeber_on_Giving_It_Away +TakeiCoin +Culture_in_Mind +Anonymous_P2P +Integrated_Media_Association +Proyecto_Conocimiento_Compartido_(Maeztro_Urbano)/es +Shared_Ownership +Fundamental_Social_Law +Open_Audit_of_an_Open_Certification_Authority +Forking +Digital_Processes_and_Democratic_Theory +Philippe_Aigrain_on_the_Conditions_for_Synergy_between_Free_Non-market_Exchanges_and_the_Economy +Multi-National_Decision-Support_Centres +Land_Security_Agenda +Open_Cognition_Framework +Economics_of_Enough +Some_Skepticism_About_Search_Neutrality +Information_Asymmetry +Arkitente/es +End_of_Money_and_the_Future_of_Civilization +Extropy +Jaap_van_Till_on_Structures_for_Collective_Learning_Organizations_and_Connected_Collaboration +Bibliography_of_the_Commons +Why_Software_Should_Not_Have_Owners +Dornbin_Manifesto +Networganising +P2P_Theory_and_Marxism +Larry_Cuban_on_the_Overselling_of_Computers_in_Education +Wendy_Drexler_on_the_Connectivist_Networked_Learner +Howard_Rheingold_on_Smart_Mobs +Descriptive_science +Iroquois_Economy +Medical_Commons +Webmarxisme +Democracy_Design_Workshop +Rapleaf +Sharing_Law +Local_Academy +Pocket_Neighborhoods +Democratic_Society_-_UK +Liquid_Democracy_Association +Guide_to_Open_Content_Licenses +Atmosphere_Commons +Message_from_Chinese_Activists_and_Academics_in_Support_of_Occupy_Wall_Street +Adam_Greenfield_on_Public_Objects,_Connected_Things_and_Civic_Responsibilities_In_The_Networked_City +Non-representational_paradigm_of_power +Value_Network +Andrew_Rasiej_of_the_Personal_Democracy_Forum_on_how_Technology_is_Changing_Politics +Patricia_Ticineto_Clough +Kevin_Kelly +Cambodia +Assemblage_Theory_and_Social_Complexity +Venezuela +Lulu +So_Data +Importance_of_Recognising_Post-Capitalist_Spaces_in_Capitalist_Society +De_Thezier,_Vladimir +OpenSocial +Perceptions_of_Grassroots_Urban_Youth_Entrepreneurs_about_Collective_Engagement +From_Depletion_to_Regenerative_Agriculture +Cuzco_Declaration +Non-market_Economics +Gender_Discrimination_in_Open_Source_Software +Adam_Black_on_Providing_Internet_Bandwidth_Through_Collaborative_Consumption +Michel_Bauwens:_der_Entdeckung_der_Peer-%C3%96konomie +Pioneers_of_Change +Ricardo_Semler_on_Workplace_Democracy_and_the_Seven_Day_Weekend +Dumpster_Diving +Intel%27s_Open_Collaborative_Research +Participatory_Spatial_Planning +Software_Freedom_Kosova_Conference +Open_Source_3D_Printer +Ten_online_practical_steps_recommended_to_governments_in_support_of_democracy +Aram_Sinnreich_on_the_Next_Generation_Independent_Internet +Seed_Factory +Open_Web_Design +Ted_Nelson_on_the_Politics_of_Internet_Software +Thomas_Gideon_on_the_Tragegy_of_the_Pseudocommons +Telekommunisten +Movenbank +State_Capitalism +Securities_and_Ecologies_Commission +Agroecology +Meta-Activism_Project +Steve_Wright +Meme +Citizen_Journalism +2.0_Concepts +Patronage_economy +International_Conference_on_Complementary_Currency_Systems +EntreNet +Open_Mobile_Telephony +Remixable_Textbook +Open_Source_Web_Analytics +Maker_Subculture +Wisdom_of_Sustainability +Tagging +Solar_Powered_Networked_Computing +Second_Renaissance +Governance_of_Online_Creation_Communities +Rennaissance_of_the_Commons +Occupy_New_Economy +Reconstitution_of_the_Peasantry_in_the_21st_Century +Lego_vernieuwt_de_innovatie +Tag_Commons +Fabbers_Market +Capture_the_Ocean +Age_du_Peer +IDABC +Open_Services_Innovation +Online_Social_Networks +Tiberius_Brastaviceanu_on_Open_Value_Networks +Value_of_Openness_in_Scientific_Problem_Solving +Webinar +Declaration_Of_The_Universal_Right_Of_Monetary_Creation +Citizen_Reporters_Forum_2006 +AKVO +Dronenet +Kick_It_Over_Manifesto +Community_Ownership +Agorism +Downshifting +Open_Gorotto +OpenStreetMap +Ethan_Zuckerman,_Hal_Roberts,_%26_Jillian_York_on_Independent_Sites_and_Distributed_Denial_of_Service_Attacks +Market_Socialism%27 +Mealsharing +Modularity +Andy_Oram_on_the_FLOSS_Manuals_Project +Madronna_Holden_on_the_Agency_of_Nature_and_the_Partnership_View +Companies_of_the_Commons +Venezuelan_Communal_Councils +Berlin_Commons_Conference +Promotor_Theory +Thailand +Wireless_Ad-Hoc_Mesh_Networks +Sixth_Great_Species_Extinction +Participatory_Turn_in_Research +Is_Citizen_Journalism_Killing_Good_Journalism +Kupenga +3D_Scanner +Open_Source_Journalism +Electronic_Crafts +Good_Relations +HINARI +Foti,_Alex +Ed_Mayo_on_Emergent_Cooperation_in_a_Dog_Helps_Dog_World +Affordable_DIY_Solar_and_Wind +Scary_Cow +Open_Science_differs_from_Open_Source_Software +Cloud_Computing_Standards +Zattoo +Open_Source_Chemical_Engineering_Software_Forum +Governance_of_Open_Source_Software_Foundations +Factor_E_Farm +David_Vitrant_and_Mark_Friedgan_on_Microfinance_and_Crowdfunding_for_Science +Re-localisation +Postproduction +Open_Model_Repositories +Public_School_New_York +Joseph_Chilton_Pearce_on_Play_as_Learning +Self-determined_Pricing +Stowe_Boyd_on_Social_Software_as_Me_First_Software +Civil_Society-centered_Socialism +Dumbness_of_Crowds +Personal_Web +Nodezilla +Bauwens,_Kleiner,_Restakis_on_Cooperative,_Commons-Based_Venture_Funding +Pubwan +Come_uno_sciame +Open_Building +Netness +Bioregional_State +EuroLinux_Alliance +Co-operative_Inquiry +Interdependence +Free_Open_Knowledge_of_Production_Model +Raj_Patel_on_the_Commons_as_the_Optimal_Collaborative_Governance_Mechanism_for_Resource_Management +Mutual_and_Cooperative_Solutions_for_the_Self-Employed +Open_News +Community_Conversation_with_Douglas_Rushkoff_on_Taking_Control_of_Our_Technology +On_Commons_Architecture +Peer_to_Peer_Lending +Of_Hackers_and_Hairdressers +Julian_Assange_on_WikiLeaks +Guarantee_Society +David_Hornik_on_Venture_Capital_and_Web_2.0 +Autopromozione_Sociale +Fresh_Books +Freigeld +Starfrosch +Broken_Links_from_French-Language_Pages +Creative_Industries +MT_Connect +Jason_Scott_on_the_Great_Failure_of_Wikipedia +Limassol_Hills_of_Cyprus_Wine_Villages_Collaboratory +Civic_Consumption +USAID_Global_Development_Commons +Economic_Activism +ArXiv +Dyndy +Hidden_Connections +Preservation_Commons +Thomas_Vander_Wal_on_Folksonomies_Toolsets +Occupy_Wall_Street_Alternative_Banking_Group +Rod_Tucker_on_the_Energy_Efficiency_and_Sustainability_of_Fibre-Based_Broadband +Jeff_Jarvis_and_Amber_Case_on_Privacy_in_the_Time_of_Facebook +Mass-collaborative_Science +Professional_Virtual_Communities +Red_de_Ecoaldeas_Colombia +Contributory_Resource_Use +Digital_Publics +John_Broughton_on_What_Happens_When_Anyone_Can_Edit_Your_Book_Online +Bottega21 +Richmond_Community_Cooperative_Collaborative_Group +En_bref +Coworking_Wiki +Transurbanism +YOUCOOP +Dirk_Bezemer_on_Creating_a_Socially_Useful_Financial_System +Co-Gardening_Matching_Services +P2P_Book_of_the_Year_2011 +Social_Plastic_Movement +Education_Under_Fire +Commonwealth_of_Nature +David_Bornstein_on_Social_Entrepreneurs +Wikileaks%27_Liquid_Information_Leaks_for_a_Liquid_Society +Animals_as_Persons +Social_Construction_of_Copyright_Ethics +Open_Source_Laptop +Trexa_EV_Platform +John_Wilbanks_on_the_Science_Commons_and_Open_Innovation +San_Francisco_Free_School +Open_Video_Project +Gar_Alperovitz +Blogosphere_as_a_New_Form_of_Political_Organization +Code_Space +Froide +Science_Hack_Days +Negative_Effects_of_the_Patent_System +Neo-Environmentalism +Street_Fashion_Communities +Oregon_Commons +Commons-Based_Peer_Production_and_Artistic_Expression:_Two_Cases_from_Greece +Daniel_Granados_on_the_New_Intermediary_Cultural_and_Business_Platforms_in_the_Music_Industry +Grassroots_Economic_Organizing +Jean-Claude_Guedon_on_Libre_Access_in_the_South +Cyberactivism +Omnui +Open_Source_Calendars +BioBrick_Public_Agreement +Community_Media +Free2Air +Graceful_Degradation +Free_Ride +Atlas_Initiative_Group +Alvaro_Solache +Left_Libertarianism +Benefit_Sharing_Under_the_Convention_on_Biological_Diversity +Group_Pattern_Language +Boal,_Iain +Interview_with_Marcin_Jakubowski_on_the_Open_Source_Ecology_Project +Ambiguity_of_Open_Government_Concept +Data_Commons_Cooperative +Open_Source_Camera +Consumer_Health_Social_Networking +Libre_Computer +Open_Desktop +Ben_Goldacre_on_Why_Medicine_Research_Should_Be_Open +Text_version_of_key_Oekonux_concepts +Cost_of_Inequality +Equitable_Open_Source +GNU_Lesser_General_Public_License +Cooperative_Game +Jeffrey_Yan_of_Digication_on_Social_Networking_for_Education +Online_Dispute_Resolution +Crown_Copyright +James_Quilligan_on_Creating_Sustainability_Currency_Value_Through_Commons_Strategies +Collaborative_Governance_Projects +Open_Money_Blogtalk_Radio +#p-search +Open_Space_Technology +Jackson,_Joseph +Moving_from_free_software_to_free_production:_what_we_need +Community_Food_Enterprise +Virtual_Gaming_Currencies +Designing_Online_Channels_for_Digital_Humanitarians +100k_Garages +FYI +Et_si_la_ville_anticipait_l%E2%80%99%C3%A9mergence_d%E2%80%99une_%C3%A9conomie_peer-to-peer +Ecozoic_Era +German_Summerschool_on_the_Commons +Heterarchy +Kluster +Usership +Peer_Governance_-_Benevolent_Dictatorships +Science_2.0 +Limited_Liability_Partnership +Participation_Inequality +On_the_Open_Design_of_Tangible_Goods +Forum_for_a_new_World_Governance +Mark_Pesce +Joe_Justice_on_Rapid_and_Agile_Industrial_Development_at_Wikispeed +Stefano_and_Vera_Zamagni_on_the_Civil_Economy +Copyright,_Fair_Use,_and_the_Cultural_Commons +Ed_Lee_on_the_Battle_Against_SOPA +Introduction_to_Economic_Abundance +IPDI +Community_Mesh_Networking_Movement +Value_Per_Action_Search_Advertizing +ReConstitutional_Convention +Cyber_Troc +Open_Source_Hydroponics_Garden_Controller +Lorraine_Wilde_on_Organizing_a_Community_Car_Share +Consortium_for_Open_Source_Software_in_Public_Administration +Charter_for_Internet_Rights +Center_For_Internet_Research +Open_Enlightenment +Freenode +Semi-Direct_Model_for_a_More_Participative_Democracy +People-Centered_Economic_Development +Networked_Diaspora +When_New_Communication_Technologies_Converge_With_New_Energy_Systems +Direct_Public_Offerings +Ross_Dawson_on_Technology_for_Peacebuilding +Forcorporations +Nepomuk +Open_Agriculture_Data_Alliance +3D_Slicer +Power_-_Evolution +Rosemary_Bechler_on_the_Difference_between_Individualism_and_Selfish_Individualism +Asymmetric_Threats_Contingency_Alliance +Commons_Law +Collaborative_Innovation_at_Michelin +Open_rTMS +Twitter_and_TV +Commons_Lab +Direct_Metal_Laser_Sintering +Commons_-_Prosperity_by_Sharing +Open_Weather_Map +John_Thackara_on_Post-Meltdown_Design_for_Resilience +Consume +Collective_Responsibility +Goldcorp +Stefan_Huber +Allison_Fine_and_Katya_Andresen_on_the_New_Philanthropy +WiserEarth +Theories_of_International_Regimes_Concerning_Cooperation +Nikos_Salingaros +South_Korea +Cognitive_Criterion_for_Public_Support_for_Policy +Open_Flows_Networks +Occupy_Research +Ecological_Land_Cooperative +Four_Phases_of_Team_Collaboration_Success_From_Thomas_Edison%27s_Lab +Neighborhood_Vegetables +Our_World_is_not_for_Sale +KAFCA +Ad_Hoc_Company_Superstructures +Open_Structures +Global_Village_Movement_Status_Report_2010 +Academic_Social_Networking +Post-Disaster_Public-Civic_Collaboration +Concept_Web +COMMUNIA +Who_Killed_the_Electric_Car +Artistic_Co-Creation_as_a_Decentralized_Method_of_Peer_Empowerment_in_Today%E2%80%99s_Multitude +Neglected_Disease_Licensing +Customer-centric_Brands +Occupy_Hub +Social_Dynamics_of_Web_2.0 +Civil_Society_in_Sustainable_Energy_Transitions +Social_Physics +Law_of_the_Commons +Contribution_to_the_Critique_of_the_Political_Economy_of_the_Internet +Peer-To-Peer:_Sociale,_politieke_en_economische_kwesties_in_een_P2P-wereld +Wikisat +Thoughts_on_P2P_production_and_deployment_of_physical_objects +Simona_Levi_on_La-EX +Waag_Society +Matteo_Pasquinelli +Revenue_Models_for_the_Public_Domain +Wiretapping_Sweden_Documentary +OceanStore +Fabber +Open_Data_Index +Amit_Basole_on_Knowledge_Satyagraha_and_the_People%E2%80%99s_Knowledge_Movement +Alt-Academy +Rise_of_New_Economic_Cultures +Negative_Reciprocity_in_the_Sharing_Economy +Software_Coop +CIRN_Commons +Early_Stage_Social_Venture_Incubators +W3C +Seed_Wars +Introductory_Guide_to_Global_Citizen_Media +Free_Range_Activism +Story_so_far... +Cost_of_Closed_Government_Data +Open_Source_Research +Towards_an_Infrastructure_for_Secure_Leaking +Podcasts +Groove +Prospects_for_Cyberocracy_Revisited +Direction_of_Innovation_Graph +Santiago_Hoerth +Destiempo_Urbano/es +Group_Tresholds +Netsukuku +Jean-Luc_Ferry_et_Yann_Moulier-Boutang_sur_le_Revenu_Universel +Stigmergy +Immaterial_Labour +Erle,_Schuyler +Phonebloks_Modular_Phone +Autonomy_and_Control_in_the_Era_of_Post-Privacy +Logical_graphs +Bruce_Cahan_on_Socially-Responsible_Consumerism +Mike_Volpi_on_Joost +Berlin_Commons_Conference/Workshops/ValueInACommonsEconomy +Scraping +Crowd_Clout +BioMASON +Coming_of_the_Machine_as_Seen_by_Contemporary_Observers +Jaromil_on_the_Future_of_Money +Decline_of_Wikipedia +Open_Archives_Initiative +Helping_People_Help_Themselves +ICT_Energy_Consumption_Trends +Howard_Rheingold:_Way-new_collaboration +Wuala_Online_Storage +Shinkuro +Community-Led_Reuse_of_Resources +Zeynep_Tufekci_on_Social_Media_and_Dynamics_of_Collective_Action_under_Authoritarian_Regimes +OWS_currency_design +Altruism,_Reciprocity_and_Social_Image_in_Peer_Production_Economy +Essential_Parallel_Between_Science_and_Democracy +European_Public_License +Civic_State +Johan_Rockstr%C3%B6m_on_Planetary_Boundaries +Why_Cooperatives_and_Cooperators_Outlast_Start-Ups +YaCy +Local_2.0 +Joy_Tang +Open_Transport +Panarchy +Common_Land +Property_Liberty +Future_of_Online_Video_ICA_Panel +Continuous_Partial_Presence +David_Ronfeldt_on_the_Evolution_of_Governance +Towards_a_Commons-Based_Peer_Production_in_Agro-Biotechnology +Growing_Revenue_with_Open_Source +Tour_of_the_Rationale,_Structure_and_Maintenance_of_the_Peer_to_Peer_Foundation_Wiki +Social_Economy +Remix +Gift_Shift +Liquidware +Open_Pipe +One_Social_Web +Mozilla_Drumbeat +Principles_of_Taxation +DAMTP +Open_Access_Mandates +Josh_Perfetto_on_the_Open_PCR_Project +El_Campo_de_Cebada/es +Social_Media-based_Collaboration +Locavolt_Movement +4Cs_Social_Media_Framework +Top_Five_P2P_Projects_of_2013 +Access_Denied +BrewTopia +Utopia_Brittannica +Clip_Kino +CSA-Management_Systems +Poor_Washing +Internet_and_Social_Capital +Financial_Crimes_Enforcement_in_the_Age_of_P2P_Digital_Currencies +Yumin_Ao +Thierry_Crouzet_sur_le_Cinquieme_Pouvoir +Kanishka_Jayasuriya +Occupy_London_Working_Groups +Transmedia +Little_Bits +Virtual_Research_Environments +Gold_OA +Mar%C3%ADa_Selva_Ortiz +Core_Periphery_Model +Claim_ID +GPU_Grid +Carsharing_Directory +Cap_and_Dividend +Thinking_Together_Citizen%27s_Assembly_Scotland +Synthetic_Overview_of_the_Collaborative_Economy +Open_Solutions_Alliance +Viral_Feedback +PRISM +Sharing_Commons_Barcelona +Beyond_the_PLC +Cory_Doctorow_on_DRM_and_Broadcast_Flag +Future_of_Crowd_Work +Eben_Moglen_on_the_System_of_Ownership_of_Ideas +Open_Review +Julian_Dibell +Maori_Business_Philosophy +Persistent_Ubiquitous_Content +Yacy_Distributed_Web_Search_Engine +Antony_Williams_on_Open_Science,_Open_Chemistry_and_ChemSpider +Property,_Commons,_and_The_Gift_Economy +PodCorps +Pluralist_State +Open_System +Internet_as_Generative_Operating_System +Solar_Energy_Financing +Knowledge_Map_of_the_Virtual_Economy +Network_of_Bay_Area_Worker_Cooperatives +Community_Capital_Working_Group_-_San_Francisco_East_Bay_Area +Virality +Self-Ownership +ApagaFarolas/es +Lending_Circles +Webdoc_Graffiti_-_BR +Marine_Map +Agata_Jaworska_on_the_Design_for_Download_Project +GOODIY_Bio_Competition +Michel_Bauwens_on_P2P_Social_Movements_such_as_Occupy_and_the_Indignados +Loudsauce +Center_for_Global_Nonkilling +Catal%C3%A0 +Lemos,_Ronaldo +Advent_of_Open_Source_Democracy_and_Wikipolitics +Third_Side_Individuals +Open-by-Rule_Community +Handicams,_Human_Rights_and_the_News +Groundswell +Consumer-Generated_Media +Hash_Mob +Biopiracy +Atomic_Duck +Perl_-_Governance +Critical_Pedagogy +Water_Governance_for_21st_Century +Global_Aquifer_Depletion +Shaping_Strategies +Blog_Mob +The_My_Space_roots_of_student_protests +Edible_City +Toward_a_Bioregional_State +Proactionary_Principle +Mass_Collaboration +Charters_of_Commons +Zichzelf_organiserende_netwerken +Krawlerx +MoSoSo +Thomas_H._Greco,_Jr._on_the_Credit_Commons +Property-Rights_Regimes +On_the_Necessity_of_Mediation_for_Economic_and_Social_Transitions +DIY_Container_Housing +Sustainable_Food_Lab +MyBanco +OLSR +SuperCooperators +Shared_Patterns_of_Indigenous_Culture,_Permaculture_and_Digital_Commons +Open_Source_Network_Services +Janine_Benyus_on_Biomimicry +Beyond_WikiLeaks +Hierarchy_Theory +Common_Good +David_Weinberger_on_Tagging_and_Folksonomies +Unconferences +Christopher_Mitchell_on_Municipal_Broadband +Truth_in_the_Age_of_Social_Media +Abundance +TaskForge +Free_Software_Movement +Deschooling_Society +Age_of_Empathy +P2P_Cooperative +Limited_Tribe +End_of_Artificial_Scarcity +Economics_of_the_Commons_Conference +Revisioning_the_Sanctity_of_Property +Participatory_Aid_Movement +Cooperation_Project +Voluntary_Licensing +Ben_Rahn_on_Online_Political_Fundraising +Usman_Haque_on_Global_Open_Data_for_Digital_Urbanism +Hyperlinked_Tape-Trading_Communities +Alessandro_Delfanti +Books_on_Building_Online_Community +Reference_Parliament +Social_Venture_Exchange +Biological_Open_Source_and_the_Recovery_of_Seed_Sovereignty +Open-Source_Automated_Farming_Machine +Saberes_Ci%C3%AAncias_Criativa +OuiShare_Fest +Swap_A_Skill +Kything +Open_Greens +Designing_Social_Computing_using_Traditions_of_Symbolism,_Personalization,_and_Gift_Culture +Blog_Person_of_the_Day_Archives_2012 +Social_Impact_Bonds +Heron,_John +Cracking_the_Code +Money_in_a_Unequal_World +BBS +Critical_Infrastructure +New_Economics_of_True_Wealth +Tom_Munnecke_on_the_Uplift_Academy +Collective_Invention_of_Bessemer_Steel +Wealth_Generating_Ecology +Participatory_Action_Research +Crowdsourced_User_Testing +Sm%C3%A1ri_McCarthy_on_the_International_Modern_Media_Initiative +Caffentzis,_George +Evolution_of_Leadership_and_Organizational_Theories_Toward_an_Open_System +Localvore +Tracy_Fenton_on_Organizational_Democracy +South_Africa +Network_for_Open_Scientific_Innovation +Dot-P2P +Open_Foresight +PageKite +Political_Currency +Sensing_Human_Society +Evolutionary_Leadership +Blogosphere +Transition_Town_Movement +Logo +Open_Cultural_Commons +Merchant_Guilds +Michel_Bauwens_on_Open_Source_Design +DARPA%27s_Open_Process_Research_Strategy +Rooftop_Gardening +Coordination_asymmetry_and_arbitrage +Types_of_Goods +Jaclyn_Friedman_on_Feminist_Digital_Activism +Open_Source_CMS_E-Learning_Packages +Fellowship_for_Intentional_Community +Captive_Audiences_and_the_Consolidation_in_the_Telecommunications_Industry +Public_Space_as_a_Commons +Janelle_Orsi_and_Genevieve_Vaughan_on_a_World_Without_Money +Deludology +Civic_Conversations +Face_to_Global +Economics_of_Copyright_and_Digitisation +Production_of_Subjectivity_fromTransindividuality_to_the_Commons +Rapid_Prototyping_Machines +Peer_Production_-_Characteristics +Douglas_Rushkoff_on_the_New_Digital_Rennaissance +Wikiklesia +Pierre_Teilhard_de_Chardin +Cursos_de_postgrado +Water_Policies_and_Water_Commons_World_Map_for_Articles_in_Walter_Alternatives_Journal +Microfactory +KIKA +At-Home_Manufacture_of_Circuit_Boards +Command_Line +Information_Economy_Meta_Language +Surman,_Mark +Lawrence_Lessig_on_the_Need_for_Open_Politics +Massive_Open_Online_Research +Geowebbing +Produce_Purchase_Agreement +Institute_for_Electronic_Participation +Rub%C3%A9n_Mart%C3%ADnez_Moreno +Lawrence_Lessig_Podcasts_and_Webcasts_on_Free_Culture +Integrative_Crowdsourcing +Social_Metabolism +Steven_Weber_on_the_Success_of_Open_Source +Gustavo_Sandoval +Foldit +Good_Governance +Six_Provocations_for_Big_Data +Homecamp +Capetown_Open_Education_Declaration +Michel_Bauwens_on_Peer_to_Peer_as_New_Economy_and_Civilization +Open_Ideation +Open_Source_Battery_Project_for_Electric_Vehicles +Jos_Poortvliet_on_Open_Governance_Rules_Done_Right +Open_Database_License +Holistic_Problem_of_Manufacturing +3D_Printing_and_Open_Source_Hardware_Licensing +Jose_Murilo_on_the_Brazilian_Digital_Culture_Forum +Identifying_and_Understanding_the_Problems_of_Wikipedia%E2%80%99s_Peer_Governance +Chris_Cook_on_Capital_Partnerships +Cooperation_-_Nouvelles_Approches +Group_Theories +Duncan_Crowley_on_the_2011_Assembly_15M_Movement_in_Barcelona +How-To_and_Tutorial_Pages_for_More_Advanced_Users_of_the_P2P_Audiovisual_Net +Anti-Pattern_Capitalism +P2P_Insurance +Internet_Radio_Project +Recursos_para_una_teor%C3%ADa_del_conocimiento_libre +PC_to_Phone_telephony +Free_Range_Salvage_Server_Project +Open_Software_Service_Definition +Why_Spectrum_Is_Not_Property +Social_Relevancy_Rank +Open_Humanities_Press +Douglas_Rushkoff_on_the_Peer_to_Peer_Economy +Somus +HSRC_Press +Owning_the_Right_to_Open_Up_Access_to_Scientific_Publications +Samuel_Benson +Voluntary_Collective_Licensing_of_Music_File_Sharing +Designing_for_Transformation +Resource_Portability +Privacy_Manifesto +Synthetic_Biology +Selectricity +Social_Network_Sites +Content-Based_Mobile_Edge_Networking +Appropriate_technology +Labourism +VoSnap +Paul_Hartzog +NetBSD_Project +Commonification_of_Public_Services +Access_to_Knowledge_in_a_Network_Society +Lewis_Hyde_on_Fair_Use_in_Education +E-Democracy_Webcasts_Directory +Paris_Commune +GPL_User_Freedom_vs._Apache_License_Developer_Freedom +Ecuador +CyberActivism_and_Culture_Jamming +Equitable_Exchange_Relationships +Meritocratic_Leadership +Participant_Media +Aram_Sinnreich_on_%22The_End_of_Forgetting%22 +E.F._Schumacher_on_the_Metaphysical_and_Theological_Roots_of_Decentralist_Economics +Trace_Mayer_on_Why_Using_Bitcoin_Makes_Sense +ReMade +Marshall_Ganz_on_Distributed_Leadership_in_the_Obama_Campaign +Glut +Looq_Records +WikiHouse_-_Governance +Communal_Property +Dmytri_Kleiner_on_the_Price_and_Value_of_Free_Culture +Romanian-Language +Better_At +Interview_with_Michel_Bauwens_on_Peer-to-Peer_and_Marxism +Guaranteed_Income_Conference_2007 +Daniel_Solove_on_Understanding_Privacy +Crowdsourcing_Fashion +Subjectivity +Over_het_belang_van_%E2%80%9Cpeer-geld%E2%80%9D +Open_Source_Disaster_Recovery +Fungi_For_the_People +Living_Lab +Open_Knowledge_Foundation +Internet,_Deliberative_Democracy,_and_Power +Open_Source_Project-Launch_Blueprinting +Knowledge_Networks_and_Organizational_Formats +Sadhana_Forest +P2P_Development_and_Management_of_Common_Resources +Hadoop +Foreign_Exchange_Transaction_Reporting_System +Where%27s_the_Party +Natural_Justice +Het_sociaal_web_en_zijn_sociale_contracten_en_tegenstellingen +Establishing_a_Communication_Commons +Peeragogy_Handbook +Rebecca_MacKinnon_on_the_Global_Struggle_for_Online_Freedom +Developing_the_Meta_Services_for_the_Eco-Social_Economy +Many-Headed_Hydra +Soma_as_P2P_Political_Therapy +Coding_as_Aesthetic_and_Political_Expression +Laser_Cutting +How_to_Understand_the_Lulz_Battle_Against_the_Church_of_Scientology +Needed_Improvements_for_Bitcoin +Open_Peer_Review +Citizen_Effect +Simpol +Alastair_Parvin_on_the_Wikihouse_Open_Source_Construction_Set +FarmsReach +Demarchy +Bibliography_of_Remix_Culture_and_Music +Peer_Governance_and_the_State +Open-Mesh +Constellation +Young,_Bob +Can_Renewable_Energy_Sustain_Consumer_Societies +Hyperloop +Leigh_Blackall_on_Vlogging +De_$100m_Facebook_kwestie:_kan_het_kapitalisme_de_p2p_waarde_crisis_overwinnen +Jacopo_Amistani_on_the_Open_Source_Ecology_Project_in_Europe +Reinvention_of_the_Commons_in_the_Information_Age +Permissive_Free_Software_License +Species-ID +Material_Intellect +Social_Contracts +Brokerage,_Boundary_Spanning,_and_Leadership_in_Open_Innovation_Communities +Fine,_Allison +Clear_Bits +Non-Assertion_Covenant +Codec +Virtual_Grange +Cooperation_Law +Tool_Libraries_Directory +Greenwheels +Citizens%27_Initiative_Review +Open_Business_Process_Initiative +What_You_Need_to_Know_about_Identity +Common_Good_Bank +Proficians +Promise_of_a_Post-Copyright_World +P2P_Carsharing_-_Business_Models +Society_for_Utopian_Studies +SketchChair +Open_Source_Mobile_Operating_Platforms +Victoria_Stodden_on_Software_Patents_and_Scientific_Transparency +Jeroen_de_Miranda +IFabricate +Geobrowser +Undisciplinarity +LifeTrac +Duncan_Crary_on_Ethical_Capitalists +Discussing_Resilience_Science +Occupy_Twitter_Accounts +TPI_Coefficient +Charles_Eisenstein_on_the_Ascent_of_Humanity +Shirky_Principle +Tasman_Declaration_on_Open_Research +Concert_of_Democracies +Social_Software_for_Social_Change +CIrcular_Multilateral_Barter +Group_Physics +International_Simultaneous_Policy_Organization +Turksourcing +Solidarity_Economy +FreeSpeechMe +Quantifying_the_Sharing_Economy_-_Survey +Open_Rules +Nathan_Seidel +WebM +Personal_Genome_Project +Narya_Project +Cash_Mobs +Rerum_Novarum +DIY_Open_Source_Loom +Smartphone +Responsible_Autonomy +Emusic +Property_and_CommonsGR +Canuckle +Renaissance_of_the_Commons_-_Part_two +Constitute +Property_Rights +Coloplast_User-Driven_Innovation +Right_to_Water +Fabtotum +Autonomy +Decoding_Learning +Conditions_for_a_True_Distributed_Internet +Spiti_Ecosphere +Give-Away_Shop +Patrick_Chkoreff_on_the_Loom_Digital_Online_Asset_Trading_System +Tere_Vaden_on_Two_Cases_of_Building_Commons +Firm_as_a_Collaborative_Community +DIYBio +Report_on_Chinese_Bloggers +Free_Cultural_Works +Geo-Rent +Clay_Shirky_on_Social_Media_As_Catalyst_For_Policy_Change +Private-collective_Good +Profounder +Self-Help_and_Mutual_Aid +Commons-Based_Peer_Production_and_Digital_Fabrication:_The_Case_of_a_RepRap-Based,_Lego-Built_3D_Printing-Milling_Machine +Mason,_Matt +Superfluid +Communities_and_Innovation +Red-Letter_Christians +Danah_Boyd_on_Digital_Youth_Culture +Jimmy_Wales_on_Wikipedia +Karma_Kitchen +Scotty_Ramirez_on_Permacities +Death_of_Author_2.0 +Open_Meritocratic_Oligarchy +Scholarship_2.0 +Emergence_of_Governance_in_an_Open_Source_Community +Give_Away_Economy +Open-Source_Wireless_Mesh_Networking +2.2_Information_Technology_and_%27Piracy%27 +BitGov +Pierre_L%C3%A9vy_on_Collective_Intelligence_Literacy +Slow_Speech +How_To_Address_Between-Groups_Cooperation +Open_Cloud_Consortium +Occupy_the_Commons +Commons_Alliance_Sphere +Morocco +Mooney,_Pat +Liquid_Law +News_about_the_Sharing_Economy_via_Twitter +Internet_Police +Biolinux +Dropis +Food_Sovereignity_Movement +Web_Real-Time_Communications_Working_Group +Economie_de_l%E2%80%99Immat%C3%A9riel +Hypothesis +Maureen_O%27Sullivan_on_the_Creative_Commons_and_Contemporary_Copyright +Aigrain,_Philippe +Corporate_Ecosystem_Services_Review +Cooperative_Strategy_for_Distributed_Renewable_Energy +Bottom-Up_Broadband_Project +Meta-industrial_Class +Open_Source_telephony +Electrizitatswerke_Schonau +Category +Zoetrope_Open_Source_Wind_Turbine +Energy_Resilience_Assessment +WAT_System +Gutenberg_Parenthesis +Transmodern_Psyche +Bertram_Niessen +Five_Framing_Conditions_for_a_Commons-Oriented_Economy +Evan_Prodromou_on_Engineering_for_Free_Network_Services +Natalie_Pang +Remakery +Common_Welfare_Balance +E-Speech +Irena_Salina_about_the_Water_Commons_against_Water_Scarcity +Hooze +Accelerando +Modernity_as_a_Land_Crisis +AUEB_Network_Economics_and_Services_Group +Solid_Free-Form_Fabrication +Growth_in_P2P_Networks +Five_Core_Principles_of_Sustainability +Community_Currency_Magazine +Manifesto_of_the_Malgre_Tout_Collective +Bien_Public_Global +The_Art_of_Community +Mapping_a_Coalition_for_the_Commons +%CE%97_%CE%A3%CF%86%CE%B1%CE%AF%CF%81%CE%B1_%CF%84%CF%89%CE%BD_%CE%9A%CE%BF%CE%B9%CE%BD%CF%8E%CE%BD +Open_Value_Accounting +Social_Media_Sites_for_Academics +Economie_Directe +Community-Based_Tools_in_Science +Introduction_to_Transfinancial_Economics +Commons_Stewardship_Certification +-_Eric_von_Hippel +Critical_Art_Ensemble_on_Garage_Science +Transforming_Finance_Group%27s_Call_Recognizes_Finance_as_a_Global_Commons +Tim_Bray_and_Radia_Perlman_on_Fifteen_Years_of_the_Web +Urban_Food_Revolution +Peer_production_and_Marxian_Communism +Do_It_Together +Proposal_for_a_Conference_on_Commons-Oriented_Economics +Scale_of_Consent +ChemSpider +Apafunk +Fossil_Fuel_Resistance +Difference_Between_Shared_Code_for_Immaterial_Production_and_Shared_Design_for_Material_Production +Carolina_Rossini_on_the_Industrial_Cooperation_Project +I_Let_You +Machine_Of_Open_Commonities +Nefario_on_the_Global_Bitcoin_Stock_Exchange_and_Bitdrop +Community_Wind +In_Debt_We_Trust +Common-pool_Resources +Financial_Enclosure_of_the_Commons +Innovative,_Open_and_Economically_Sustainable_Models_of_Creative_Production +Networks_and_Democracy +Elihuu +Bluespec +DIY_Drones +Commons_Accounting_Revolution +Mari_Martiskainen +Reciprocal_Exchange +Ubiquitous_Computing +Publishing_Technology,_and_the_Future_of_the_Academy +Symbolic_Value +P2P_Clothing_Exchange +Spiritual_Economics +Information_Resources_in_High-Energy_Physics +Nelson,_Ted +Rapid_Prototyping +Harold_Jarche%27s_Typology_of_Working_Together +P2P_Foundation:About +Occupy_Movie +Collaborative_Authorship +Collaborative_Investigative_Reporting +One_Laptop_per_Child +Collective_Book_on_Collective_Process +Building_Man_Cooperative +Online_Database_of_Complementary_Currencies_Worldwide +Jean_Lievens_on_the_P2P_Revolution_in_Media +Journal_of_Peer_Production +Common_Ownership +Microvolunteering_Project +Risks_Posed_by_New_Wiretapping_Technologies +GreenXchange +Civic_Republicanism +E-Democracy_Org +Cap_and_Trade +Hamlet_Economy_Model +Joseph_Jackson +Production_Networks +Government_in_3D +Maura_Marx_on_the_Open_Knowledge_Commons +Internet_Connectivity +Cybernetics_as_an_Antihumanism +Guido_D._Nez-Mujica_on_Opportunities_for_Open_Source_Biotechnology_in_Underdeveloped_Countries +Moving_from_the_National_Interest_to_the_Global_Interest +Center_for_OpenScience +2.5_Individual_and_Public_(Nutshell) +What_Does_It_Mean_to_Live_a_Fully_Embodied_Spiritual_Life +Open-source_development_of_solar_photovoltaic_technology +Micro-Participation_in_Urbanism +Donnie_Maclurcan_on_Moving_Towards_a_Not-For_Profit_World +Deliberus +Therapy_Futures +P2P_Videos_on_Business_and_Economics +Bow_Tie_Structures +Forward_Foundation_and_Future_Forward_Institute +Open_Knowledge_for_Aid_and_International_Development +Commons-Oriented_Economists +Electronic_Money +SHPEGS_Open_Energy_Project +International_Political_Economy_of_Employability +Wikiup_Games_Project +Open_Standards_for_Personal_Data +Open_Sourcing +Co-Creation_Companies +Creatures +OSAT +Anthropological_Analysis_of_Civic_Experimentation_with_Free_Culture_in_the_City +Opposing_Trusted_Computing +Stephen_Baker_on_the_Numerati_and_Privacy_Leakage +P2P_Clients +J%C3%BCrgen_Neumann_and_Marek_Lindner_about_Open_Source_and_Hardware +Guardian_Share +Asia_24-7_TV +Civil_Aerial_Mapping +Co-creating_Health_Services +TIme_in_the_Age_of_Complexity +Back_in_the_Box +Eli_Pariser_on_Online_Media_Filter_Bubbles +Barry_Stein_on_the_Optimal_Size_for_the_Efficiency_of_Community_Enterprises +Economies_of_Value_Orders +Economics_for_Equity_and_the_Environment +Peer_to_Peer_Scenario_Building +Free_Wireless_Networks_in_Europe +Plumiferos +Global_Slump +Social_Business +Europe_Commons +Html_5 +FabHub +Steven_Johnson_on_the_Geoweb +Peer-Producing_Alternative_Futures +Pete_Ashdown_on_Open_Source_Politics +Registering_Working_Groups +P2P_Exchange_Infrastructure_Projects +Free_Sofware,_Free_Society +Reboot_FM +Critical_Engineering +Systempunkt +Open_Coral +Danah_Boyd_on_Transparency_and_Online_Communities +Zoe_Romano_on_Creative_Labour +Resource-based_Economy +Tadzia_Maya +Mayo_Fuster_Morell +Cybersounds +MoOC +Green_Phoenix_Kongress_2012 +Critique_of_Posthumanism_and_Transhumanism +In_Search_of_How_Societies_Work +Theodoros_Karyotis +Adaptive_Co-Management +Open_Localism +Global_Basic_Income_Foundation +Creative_Destruction_and_Copyright_Protection +Philip_Serracino_Inglott_on_Democracy_and_Mutual_Benefit_Digital_Goods +Utopias_in_the_Renaissance +APRIL +OSF_SciNet +OccupyWallStreet_as_a_Necessary_Call_for_Collectivity +Technorati +Mod_Ecology +Video_Games_for_Politics,_Activism,_and_Advocacy +Infrastructural_Commons_for_Sustainability +Deliberative_Development +Kopirajt_Exhibtion_Video +Gift_Economies +Katrin_Verclas_on_Using_Mobile_Phones_for_Social_Change +Appropriate_Technology_Villages +Mobile_Communication_and_Society +Clift,_Steven +Open_Source_Reiki +Return_of_the_Public +City_as_a_Grid +Reasons_why_Developing_Countries_should_switch_to_Free_Software +Handbook_for_Bloggers_and_Cyber-Dissidents +Occupy_Websites_Directory +Drupalcon_DC_2009_Videos +Futures_of_Power,_wiki%2B_scenario_project +Urbanflow_Helsinki +Twitter_in_Plain_English +Cultural_Creative +What_Digital_Commoners_Need_To_Do +Coop%C3%A9ration +Harald_Katzmair_on_Developing_and_Implementing_Social_Network_Campaign_Strategies +R_and_D-I-Y +Hessel,_Andrew +Futurity +Business_Models_for_Open_Hardware +Terms_of_Use +Medard_Gabel +Free_Technology_Guild +Organization +Interview_with_Joseph_Tainter_on_the_Collapse_of_Complex_Societies +Amit_Basole_on_the_Knowledge_Satyagraha_People%E2%80%99s_Knowledge_Movement +Media_Crowdsourcing +Open_Standards_For_Social_Media +Patrick_Anderson +MPML +Encode +Post-Normal_Science +WikiSecrets +Open_Products +Large-Scale_Conference_Calls +Silke_Helfrich_Interviewed_on_the_Commons +Projeto_Conhe%C3%A7a_o_seu_Vizinho_-_BR +Videos_on_Personal_Fabrication +Giving_Knowledge_Away_for_Free +Latanya_Sweeney_on_Privacy_Rethinks_in_Privacy-Preserving_Marketplaces +People_for_ICT4D +Open_Source_Inefficiencies +Appeal_for_Non-Hierarchic,_Self-Determined,_Social_and_Economic_Alternatives +Online_Learning_Communities +2.1_Copyright_et_m%C3%A9dias_de_masse_(en_bref) +Funding_Models_for_Open_Educational_Resources +Evan_Williams_on_Unexpected_Uses_for_Twitter +Greek_Community_Directory +Farm_Management_Systems +Potlatch +Digitally_Manufactured_Furniture +Statue_for_A_European_Cooperative_Society +Treshold_Pledge_Systems +Tiberius_Brastaviceanu_and_Steve_Bosserman_on_Open_Value_Networks +Documentation_for_the_ECC2013_Land_and_Nature_Stream +Media_Ecology_Workshop_2009_Flyer +Centre_for_Application_of_Molecular_Biology_in_Agriculture +Co-opoly +Open_source +Roadmap_for_Additive_Manufacturing +How_the_Alterglobalisation_Movement_is_Changing_the_Face_of_Democracy +Problem_of_Economic_Calculability +Economic_Transition_Income +Theoretical_Framework_for_Mass_Collaboration +Remix_Culture_Potpourri +Capital_College +Modelling_the_Demands_of_Interdisciplinarity +OManual +Second_Green_Revolution +Open-Source_Rocket +Social_Media_Revolution_2011 +HReview +Open_Xchange +Bitcoin_Protocol +P2P_Foundation_Wiki_Templates +P2P_Collaboration_Stack_Architecture +Christian_Perspective_on_Global_Economy +Productive_Abundance +Media_Piracy_in_Emerging_Economies +Film_Your_Issue +Albert_Ca%C3%B1igueral +Visuarios +Juergen_Neumann +Liberating_Voices +Election_Mark-Up_Language +Affero_Project +Platform_Design_Canvas +Assurance_Contract +Glyn_Moody_on_the_Ethics_of_Intellectual_Monopolies +Lifeboat_Communism +Stealing_Social_Capital_as_a_Crime_for_the_P2P_Era +Stephen_Downes_on_Open_Sourcing_Learning +Self-Tracking_Movement +Transaction-Based_Scrip +Shiv_Visvanathan +SSM-OSGV_Open_Design_Agreement +Mozilla_Identity +Universities_in_the_Age_of_the_Internet +Massed_Media +Introduction_to_Podcasting +John_Thackara_on_Participatory_Design_for_a_Complex_World +Primordial_Gratitude +Research_Blogging +Social_Question +Hivewares +Civic_Design +PD_Photo +Roots_of_the_Focolare_Movement%27s_Economic_Ethic +Non-Market_Activities +Ludovico,_Alessandro +Traditional_Knowledge +Open_Source_Model_Rocket_Simulator +Global_Survey_of_Free_Networks +Mobile2.0 +La_EX +Open_Architectural_Design +Web_2.0_as_Power_to_the_People +Networked_Labour_Seminar +Relative_Term +Prevail_Interconnection_Scenario +Free_Knowledge +Global_TV +Tenant_-Owned_Approaches_to_Participation +Kiwah +Green_European_Foundation_Conference_on_the_Commons +Future_of_the_Digital_Commons +Freedom_Task_Force +Trade_Unions_for_Energy_Democracy +Howard_Rheingold_on_Education_for_Participatory_Media_Literacy +Why_We_Cooperate +International_Organisation_for_a_Participatory_Society +Occupy_Concepts +Collaborative_Design,_Open_Innovation_and_Public_Policy +Reactions_from_Participants_to_the_Economics_and_the_Commons_Conference +Yardsharing +Livable_Streets_Initiative +Thompson,_Ken +Michael_Zimmer_on_the_Web_2.0_and_Surveillance +Cloaked_Sites +Cambia_Open_Biology +Central_Place_Theory +Mackenzie_Cowell_on_DIY_Synthetic_Biology +Viability_of_Hybrid_Forms_in_Open_Source_Software_Development +Mass_Self_Communication +Rosas,_Ricardo +Tektology +-_Maurizio_Lazzarato +Fair_Share_Program +Against_the_Professional_Cooptation_of_Community +Unjust_Deserts +Leadership_from_Below +Non-Commercial +Centrality-Based_Approach_to_Networks +Ultra-Red +Gift_of_Athena +David_Korten_on_the_Great_Turning_in_History +Rise_of_the_Commons +Ven +@_Is_For_Activism +Open_License +Power_of_Pull +Free_Our_Data +McKenzie_Wark_on_Gaming +Bentley,_Nicholas +Open-Source_Potentiostat +Frederick_Burks_on_Guiding_Personal_transformation_Online +Walking_on_Eggshells +Radical_Implications_of_a_Zero_Growth_Economy +Self-Aware_Systems +Society_for_Participatory_Medicine +Mark_Krynsky_on_X_Prizes,_Cooperation,_and_Influence +Regiving +Communia/es +LETS_Software +New_Era_Windows_Cooperative +Neuroplasticity_of_the_Collective_Brain_as_a_Key_Factor_for_Achieving_Social_Change +Adam_Frey_on_Wikispaces +Open_Source_Web_Application_Framework +End_of_the_Market +Psychological_Aspects_of_Cyberspace +People%27s_Assembly_Against_Austerity +Open_Enterprise_Governance_Model +Deep_Dialogue +Crowdsourced_Brainstorming +Hiroshi_Tasaka_on_the_Future_as_Relational_Capitalism +Monetary_Transformation,_not_Monetary_Reform,_is_What_is_Needed +Open_Micromanufacturing_and_Nanomanufacturing_Equipment +Vehicle_Design_Summit_2.0 +Big_Games_Podcasts +Transparent_Trade +Remixability_and_Modularity +Governance_by_User_Groups +Unisocs +Cameron_Neylon: +Open_Graph_Protocol +Personalized_Real_Time_Content_Delivery +Integral_Science_Institute +Simuze +How_to_Make_a_Living_from_Creation_in_a_Peer_to_Peer_Era +Patent-Free_Innovation +Self-directed_Learning +Pedro_Magnasco_on_Open_Source_Design +Threefold_Opening_of_Education +Online_Gated_Community +Technologies_of_Political_Mobilization_and_Civil_Society_in_Greece +Gamer_Intelligence +George_Por_on_the_Art_of_Commoning +Rob_Hopkins_on_the_Transition_Movement_and_Resilience +DIY_Cartography +Open_Bioinformatics_Foundation +Consumer-Fortified_Media +OuiShare_Talk_with_Michel_Bauwens_in_Barcelona +Strohalm +Alain_Caille +P2P_Production_Support_Infrastructure +Institute_for_21st_Century_Agoras +Essential_Food_Cooperative_-_UK +Advanced_Civilization +Ken_Udas_the_Impact_of_Open_Educational_Resources_and_Open_Source_Software_on_Education +Lin,_Yuwei +Where_2.0_2008_Conference_Videos +Web_2.0_Landscape +Commons_Based_P2P_Network +Community-based_Tools_in_Science +Commons_as_a_New_Paradigm_for_Governance,_Economics_and_Policy +Duncan_Watts_on_Using_the_Web_To_Do_Social_Science +International_Open_Source_Party +Free_Currencies +The_Memo_on_Organizational_Learning_and_Collaboration +Frents +ASSOB +Adobe_stapt_in_p2p-distributie +Experiences_with_Free_Cultural_Spaces +Food_Policy_Proposals +Vole +Gerd_Leonhard_on_the_End_of_DRM +Netzpolitik +Open_Ride +Open_University_Campaign +Trust_Aggregators +Thomas_von_Loeffelholz +Melissa_Hagemann_of_OASIS_on_the_Open_Access_Scholarly_Information_Sourcebook +International_Student_Movement +Open_Peer +OpenEco +Energy_Standard +Jeremy_Allaire_on_the_Future_of_Internet_TV +Effortless_Economy +Critical_Citizen_Science +Open_IP-PBX +Ackerman,_Frank +Anti-Heroic_Leadership +Proportionate_Precautionary_Principle +Robert_Steele_on_Open_Source_Everything +Occupy_Together_Map +Open_Source_Food +Partido_del_Futuro +Dissent,_Resistance_and_Rebellion_in_a_Digital_Culture +Commons-Institut +Four_Ages_of_Organization +Info-Energy_Commons +Participatory_Environmental_E-Platforms +Coworfing +Participatory_Democracy_in_Ecuador +Filesharing:_for_music +Tere_Vaden +Demoex_-_Sweden +Towards_Healthy_Virtual_Selves_for_Collective_Groups +Galia_Offri_and_Mushon_Zer-Aviv_on_Open_and_Free_Culture_Activism +North_America +C,mm,n +Charles_Leadbeater_on_Open_Innovation +David_Wiley_on_the_Open_Course_Wars +Clothing_Swaps +Ross_Dawson_and_Emma_Sykes_on_the_Future_of_Radio +Electric_Consumer_Bill_of_Rights +Governance_of_Peer_Production_is_Meritocratic,_not_Egalitarian +Umair_Haque_on_the_New_Economics_of_Music +Tom_Steinberg_about_the_mySociety_Project +Squatting_in_Europe +John_Wilbanks +U.S._Social_Forum +Programmatic_Statement +Donations +Portraits_of_Solidarity_Economy_Food_Cooperatives +Bourgeois_Anarchism_and_Authoritarian_Democracies +Bio_Urbanism +Neal_Gorenflo_on_the_Sharing_Economy +Cult_of_the_Amateur +La_Bicicueva/es +Ethan_Zuckerman_on_the_Impact_of_Social_Media_on_Africa +Systems_Energy_Assessment +Models_for_Sustainable_Open_Educational_Resources +Common_Rights_vs_Collective_Rights +Janus_Forum_on_the_Internet_as_a_Democratizing_Technology +Lex_Mercatoria +Experts_vs._Amateurs_-_Governance +General_Luxury_Production_System +Mutual_Recognition +Wikipedia_Revolution +Open_VoIP +Bram_Cohen_on_Cultural_Industries_in_the_Age_of_Digital_Reproduction +Social_Forums_and_the_Cultural_Politics_of_Technology +Jundo_Cohen_on_the_Virtual_Zen_Sangha +Distributed_Denial_of_Service_Attacks_Against_Independent_Media_and_Human_Rights_Sites +Peer_Production_and_Capitalism +Bernard_Lietaer_on_the_Current_Crisis_and_a_Resilient_Financial_System +Fundation_de_los_Comunes +Open_Sim +Bre_Pettis_on_the_History_of_MakerBot +Schneider,_Florian +Eight_Points_of_Reference_for_Commoning +Coleman,_Gabriella +Ice_Cairo +Open_Source_Malaria +Civic_Capitalism +Interest_Graphs +Pharmaceutical_Patents +Hospitality_Exchange_Networks +Occupy_the_Church +Hacking_Democracy +Icelandic_Constitutional_Council +UneGov +Gift_Economy_Software +Rod_Beckstrom_on_The_Starfish_and_the_Spider +Grassroots_Local_Democracy_in_Brazil +Academia_as_a_Commons +Political_Economy_of_Collaborative_Production_in_the_Digital_Information_Age +Tables_Interactives +Michel_Bauwens_over_de_Open_Revolutie +Mediapolis +Boundaryless_Organization +De_Angelis,_Massimo +Audio_Files_from_the_Open_Hardware_Summit_2010 +The_Tradition_That_Has_No_Name +Cosmos_and_Psyche +Value-Based_Management +Open_Hardware_Design_Alliance +James_Cowie_on_the_Geopolitics_of_Internet_Infrastructure +Chicken_Game +Greening_Through_IT +Bernard_Lietaer_on_New_Money_for_a_New_World +Simple_Economics_of_Open_Source +New_Work +P2P_Currency_System +Agri_POD +Jua_Kali_Open_Source_Machinery +Acc%C3%A8s_aux_Savoirs +Loom +Policy_Ideas_for_Shareable_Urban_Housing +Pocket_Factories +Luke_Stanley +Social_Liquidity +Social_Cognitive +Parasocial_Interaction +Empathic_Civilization +Jonathan_Schwartz_on_the_Age_of_Participation +Share_Economy_at_LeWeb_2011 +Richard_White +J30_Assembly_Movement_-_UK +Tim_O%27Reilly_on_from_FOSS_to_an_Open_Data_Movement +High-Tech_Parallel_Monetary_Systems_in_Times_of_Crisis +Interview_with_Massimo_De_Angelis_on_the_Commons +Media_Art_Ecologies +Canonical_Contributor_Agreement +Traversal_Technology +Flo6x8 +Unfreedom_at_the_Workplace +We_Are_Smarter +Bob_Sutor_on_Open_Source_and_Open_Standards_at_IBM +-_Grey_Tuesday +Jean_Lievens_over_P2P +Mapas_Livres +Ruth_Meinzen-Dick:_an_Overview_of_the_Commons_as_Transformation_Paradigm +Creative_Commons_Music_Resources +Genome_Hackers,_Rebel_Biology,_Open_Source_and_Science_Ethic +Glossary +Banco_Bem +Business_Source +Hack_Your_PhD +Benjamin_Chodoroff_on_the_Detroit_Digital_Justice_Coalition +Rotating_Savings_and_Credit_Associations +Misha_Angrist_on_the_Personal_Genome_Project +Open_Technology_Institute +Resources +Skillshare +Open_Aerospace +Aquila_99_Wiki_TV_Festival +Blog_Council +Government_Support_for_User_Innovation +Kudo%27s_Page +Open_Source_College_Guide +L3C +Design_Criteria_for_a_Global_Brain +Bits_From_Bytes +Cooperative_Inquiry +Marxism_and_Free_Software +Daniel_Pink_on_Intrinsic_vs._Extrinsic_Motivation +Saturnino_Borras +Jay_Walljasper_on_the_Three_Tenets_of_the_Commons +LexPop +Two_Shirts +Khadijah_Britton +Isabella_L%C3%B6vin_on_Pillaging_the_Sea_as_Another_Tragedy_of_the_Commons +GNU_Manifesto +Online_Telework_Markets +End_of_Capitalism +European_Commons_Experts +P2P_Foundation_Wiki_Taxonomy +Totalitarian_Agriculture +Open_Money_as_a_Commons +Economy_3.0 +Wiki_Category_Anatomy +Smary_McCarthy_on_Digital_Fabrication +Nils-Peter_Fischer_on_Open_Source_Design +Traitorware +Alan_Rosenblith +Occupy_Wall_Street_API +Knowing_Networks_vs_Scale-free_Networks +Sean_Wellesley-Miller_on_the_Home_as_a_Productive_Ecosystem +Network_Effect +Biological_Materials_Transfer_Project +Carrier_Grade_Linux +Technologies_To_The_People +Sharetribe +Qualitative_Easing_Through_Stock_Issuance +Netville +Commons,_State,_and_Transformative_Politics +Video_on_Forum_Oxford_2009 +Strategy_to_Break_the_Dominance_of_Walled_Gardens_and_in_Favor_of_the_Free_Network_Services +Catbot +Continuous_predicate +Social_Hackers +Isigoria +Open_Source_Harvest_Benchmarking +Power-To_vs_Power-Over +Nick_Shockey_on_the_Role_of_Students_in_Open_Access_in_Universities +Jeanette_Hofmann +Partnership_for_Public_Participation +Open_Source_Manufacturing_Bibliography +Demonetize_It +Cyberspace_and_the_Self-Management_of_the_Self +Long_Descent +Co-Belongingness_of_Money_and_Community +Community-based_Enterprises_and_the_Commons +Contributive_Justice +Non-Commercial_Clause +Michael_Nielsen_on_Open_Science +Laser_Cutting_Video +Blogging_Practices_of_Knowledge_Workers +OSE@Home +YOVOX +Story_of_Stuff +Ambient_Findability +Overlay_Web +Increasing_Local_Economic_Sustainability +Business_Commons_Stewardship_Council +Caroly_Baker_on_the_Sacred_Demise_of_Industrial_Civilization +Marty_Kaplan_on_Going_from_Attention_to_Engagement +Malone,_Thomas +David_Bollier_on_Green_Governance_and_the_Law_of_the_Commons +Husk_Power_Systems +Civil_Society_Organisations +GiacomO_D%E2%80%99Alisa +Social_Libertarianism +P2P_Property_Development_and_Management +Wood_Street_Urban_Farm +James_Robertson_on_Future_Money +Historical_Origins_of_Inequality +Open_Source_Approach_to_Internet_Research +Liberation +Place_of_the_Homeless_in_the_Occupy_Movement +Bazaar_Model +Commonwealth_of_Knowledge +EWaste_Recyclism +Transformer_le_capitalisme_moderne_:_vers_une_%C3%A9conomie_P2P +Many_and_the_One +Mutual_Aid_Street_Medics +Open_Science_Federation +Crabgrass +Putting_Democracy_to_Work +Recommended_Open_Hardware_Licenses +Constructing_a_Commons-Based_Policy_Platform +General_Assembly +Ron_Deibert_on_Securing_Human_Rights_Online +Instructional_Online_Video +Trust,_Self-Interest_and_the_Common_Good +Digital_Reputation_Economy +Game_Communities_vs._Play_Communities +They_Work_for_You_-_UK +Chinese-Language +Co-Working +World_Economic_Forum_Young_Global_Leaders_Sharing_Economy_Position_Paper +Brent_Hoberman_on_Investment_in_Collaborative_Consumption +Geert_Lovink_on_the_Politics_of_Wikileaks +Master_Partnership_for_IP_Sharing +Cases_in_Commons_Economics +Agency,_Resistance,_and_Orders_of_Dissent_in_Contemporary_Social_Movements +Sustainability_in_Open_Source_Software_Commons +World_Commons_Day +Open_Source_Data_Mining +Jeff_Vail_on_the_Energy_Trap +Neighborhood_in_the_Internet +Open_Source_Content_and_Document_Management +David_Bollier_on_the_Global_Status_of_the_Commons_Movement_in_2011-2012 +Park_Slope_Food_Co-op_in_Brooklyn +Values_for_the_Left_in_an_Age_of_Distribution +Reproductive_Abundance +Srivats_Sampath_on_the_Revolution_in_the_Music_Industry +Jane_Jacobs_on_Urbanism_and_Community +Emerging_Churches +CEED_Program +Open_Collector +Sovereign_computing +Play_Money +Secure_Self-Hosting +Open_Education_Database +Relationship_Equity +Ashis_Nandy_on_Rethinking_the_Idea_of_the_University +From_Exchange_to_Contributions +Egyptian_Revolution_of_2011 +Open_Supply_Chains +Media_Ecologies_Workshop_on_Collaborative_Platforms +Angela_Maiers_on_Learning_Spaces_and_Digital_Whiteboards_for_Expanding_Digital_Literacies +Social_Media_and_Contemporary_Activism +Panton_Fellowships +Wikiprogress +Zero_Advertising_Brands +O_%CE%9Cichel_Bauwens_%CF%83%CF%84%CE%BF_Re-public:_%CE%97_%CE%A0%CE%BF%CE%BB%CE%B9%CF%84%CE%B9%CE%BA%CE%AE_%CE%BC%CE%B5%CF%84%CE%B1%CE%BE%CF%8D_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CF%89%CE%BD_%CE%94%CE%B9%CE%BA%CF%84%CF%8D%CF%89%CE%BD,_%CF%84%CE%BF_%CE%9A%CF%81%CE%AC%CF%84%CE%BF%CF%82_%CE%BA%CE%B1%CE%B9_%CE%B7_%CE%91%CE%BD%CE%B1%CE%BD%CE%AD%CF%89%CF%83%CE%B7_%CF%84%CE%B7%CF%82_%CE%A0%CE%B1%CF%81%CE%AC%CE%B4%CE%BF%CF%83%CE%B7%CF%82_%CF%84%CE%B7%CF%82_%CE%A7%CE%B5%CE%B9%CF%81%CE%B1%CF%86%CE%AD%CF%84%CE%B7%CF%83%CE%B7%CF%82 +Standards_of_Life_Policy_Framework +Adrian_Bowyer_on_Rapid_Prototyping +Green_Money_Working_Group +Flash_Robs +Harnessing_Openness_to_Transform_American_Health_Care +M-Pesa +Artificial_Markets +Art_Brock_on_Transitioning_to_the_New_Economy_through_New_Currencies +Who_is_Who_in_Switzerland_on_the_Commons +Social_Knowledge_Economy +Solar_Electric_Car +Christoph_Bruch +Social_Health_Movement +Participatory_Challenge +Web-based_Neighborhood_Sites +Tracey_Axelsson_on_Vancouver%27s_Co-operative_Carsharing_Auto_Network +P2P_Network_Newcomers +Movisi_Open_Design_Furniture +Distributed_Innovation +No_Contest +Economics_of_Open_Source +Social_Graph +RMI +Workstreaming +Open_Source_Monome +Locavores +Freedom_Of_Creation +Participatory_Process_Design_Guide +David_Funkhouser_on_Fair_Trade +Caryatids +Participatory_Global_Governance_Systems +Community_Swap_Meets +Time_Wars +Libertarianism +BankOfCommonKnowledge +World_Social_Forum_as_a_Complex_Civil_Society_Network +Open_Source_Science_Fiction +Potent_Hope +Steve_Garfield_on_Using_Multimedia_Tools_for_Better_Citizen_Journalism +Citizen%27s_Stake +Reputation-Score_Providers +Long_Tail_of_Philanthropy +Framework_for_Analyzing_the_Knowledge_Commons +Welcome_to_Google_Earth +Deborah_Gordon_on_the_Stigmergy_of_Ants_and_Organizations +Michael_Newman_on_the_Online_Video_Revolution +John_Humphreys_on_Opening_Genomics_Data +Knowledge_as_a_Commons +Openly_Local +Global_-_Regional_-_Local_Commons_Graph +Convivialist_Manifesto +New_Tyranny_of_Participation +Commons-Oriented_Mapping_Directory_Project +Janelle_Orsi_on_Lowering_the_Legal_Bar_to_Sharing_Economy +Do-It-With-Others +Open_Menu +Grassroots_Sustainable_Community-Based_Enterprise_in_India +Accountability_Based_Influence +Tactical_Tech +D.I.Y._Macroeconomics +George_P%C3%B3r +Doc_Searls_on_the_Attention_and_Intention_Economy +Abundance_-_The_Future_Is_Better_Than_You_Think +Creative_Class +Sellaband +Toby_Baxendale_about_Full_Reserve_Banking +OGLE +ASUS_Eee_PC +Share_Taxi +Labor_Quota_System +Nossa_Ecovila +Jean-Fran%C3%A7ois_Noubel_on_Integral_Wealth +Revolution_is_not_an_Event_but_a_Process +Video_Introduction_Panel_to_the_P2P_Value_Research_Project +Cooperative_Wealth_Building +Handmade_Consortium +Heidi_Campbell +Occupy_Wall_Street_as_a_Culture_Change_Movement +CLASSE_-_Governance +Green_Utility_Cooperatives +Peering +Economic_Democracy_in_the_Network_Century +Occupy_Wall_Street_as_Hyperpolitics +San_Francisco_Free_University +Information_Diet +Open_Patent_Certification_Mark +Collective_Learning +Debt-Based_Money_System +Genuine_Wealth_Model +Towards_a_New_Literacy_of_Cooperation_with_Business +Online_Music_Collaboration +Give_Away_Websites_List +Michael_Hudson_on_the_Theory_of_Economic_Rent +Pay_with_a_Tweet +Anonymity_Tools +Vandana_Shiva_on_the_Importance_of_Saving_Seeds +Global_Freeloaders +Customer-build_Network_Infrastructures +Mark_Pesce_on_the_Next_Billion_Seconds +Open_Studios +Simon_Phipps_on_Open_Formats +Spiritual_Authoritariansim +X0xb0x +Andrea_Goetzke +SMS_Anti-Marketing +True_Story_of_Alternative_Currencies +OWS_Currency +Andy_Oram_on_Free_and_Open_Cloud_Computing +Comprehensive_Knowledge_Archive_Network +Nicholas_Tollervey_on_the_Drogulus_Programmable_Peer-to-Peer_Data_Store +La_Double_Face_de_la_Monnaie +Debal_Debon_Beyond_Developmentality_towards_the_Zero_Growth_Economy +Lucas_Gonze_of_Webjay_on_Decentralizing_Taste +Whirlwind_Wheelchair_International +Engineering_Self-Organising_Systems +Flying_Laptop +Ireland +P2P_Foundation_on_Facebook +Occupy_the_Comms +Antero_Garcia_on_Alternate_Reality_Gaming_in_South_Central_Los_Angeles +Zipf%27s_Law +Transforming_History_of_Land_Ownership +Lawrence_Lessig_on_Open_Source +Communication_Networks +Music_2.0 +Alternatives_to_Pharmaceutical_Patents +Open_Geoscience_Data +Transaction-Oriented_P2P_Communities +William_Hoyle_on_the_Potential_for_3D_Printing_To_Overcome_Infrastructure_Problems_in_Africa_and_Elsewhere +JXTA +Common_Ground +Autonomous_Politics_and_its_Problems +Critical_Questions_regarding_IP_and_participation +Ad_Blocking +Open_Source_Society +Hilary_Wainwright +Pieter_Franken_on_the_Safecast_on_the_Crowdsourced_Radiation_Monitoring_Project_in_Japan +Francois_Rey +Hybridity_Between_Peer_Production_and_Firms +Jennifer_Pahlka_on_Coding_a_Better_Government +Markets_without_Capital +Geonames +State_of_the_Commons +Dana_Klisanin +Open_Source_Hardware_Gadgets +SolarNetOne +Video_Sharing_Network +Bitmessage +FOSS_Learning_Centre +Ekiga +Symbian_Foundation +Open_Innovations_Project +Steffen_Buffel_on_Placeblogs +Public_Open_Source_Services +Introduction_to_the_Extreme_Manufacturing_Methodology +Open_Content_Alliance +Horizontal_Hope +Man,_Energy,_and_Society +Redistribution +Open_Sense +Biological_Open_Source +Mastercoin +Ileana_G%C3%B3mez +Communal_Councils +Douglas_Engelbart_on_Harnessing_Collective_Intelligence +Surveillant_Assemblage +Area%E2%80%99s_Immediate_Reading +Jennifer_Davison_We_need_to_change_the_way_we_value_scientists +Concept_of_the_Common_Heritage_of_Mankind_in_International_Law +Meedabyte_Interview_with_Michel_Bauwens +Dojo_Social_-_Hackeando_Telecentros_-_BR +User_Innovation_Indicators +Gunter_Pauli_on_the_Blue_Economy +How_Stuff_is_Made +Duncan_Elms_Explains_Bitcoin +Owner +Friederike_Habermann_on_the_Ecommony +Beyond_Our_Control +Center_for_Transition_Sciences +Mapping_the_Commons_in_Athens +John_Keane_on_Monitory_Democracy +Open_Source_Science_Project +Andrew_McAfee_on_Combining_Hierarchy_and_Networks +Jeremy_Rifkin%27s_Distributed_Capitalism_Scenario +Coworking_2.0 +Crowdsourcing_the_Public_Participation_Process_for_Planning_Projects +Alternative_Freedom +Stone_Society +Smart_Citizen_Kit +Eco-Patent_Commons +Net_Delusion +Jean-Fran%C3%A7ois_Noubel_on_Free_Currencies +Self-Surveillance_and_the_Threat_of_Digital_Exposure +Producism +Kingsley_Dennis +Derek_Lomas_on_Open_Source_Learning_Games +User-Created_Currencies_in_Latin_America +Learning_Parties +Web_Initiatives_for_Open_Green_Technologies +Guerrilla_Gardening +Co-P2P_-_Finland +Interactive_Authoring_Processes_of_Writing_in_Communication_Networks +Southern_Grassroots_Economies_Project +David_Weinberger_on_Everything_is_Miscellaneous +DIY_Bio_4_Beginners +Curtindo_Porto_Alegre +Commons_FAQ +Transcending_the_Individual_Human_Mind_through_Collaborative_Design +David_Weinberger_on_Everything_Is_Miscellaneous +Seventeen_Rules_for_Sustainable_Local_Community +Generative_Internet +Introduction_on_P2P_Relationality:_The_Wolf-Man%27s_Top_8 +Thermoeconomics +XFN_Graph +Recipco_Capacity_Exchange +Anarchistic_Free_School +Augmented_Urban_Spaces +Villa_as_Hegemonic_Architecture +Arianna_Huffington_on_her_experience_with_the_Huffington_Post +Soma +Towards_an_Ethical_Economy_Based_on_Allocative_and_Creative_Advantage +Free_Software_and_Human_Rights +Microgrids_in_Rome +Dan_and_David_on_Mashup_Camp +Governance_van_Open_Source_%E2%80%93_Interview_met_George_Dafermos +Urban_Foraging_Group +Homo_economicus +Roberto_Verzola_on_the_Counterproductive_Laws_that_Induce_Artificial_Scarcity +Basic_Income_and_Productivity_in_Cognitive_Capitalism +Toward_a_Political_Platform_for_the_Commons +Meta-Needs +Teaching_an_Anthill_to_Fetch +Commercial_Open_Source_Business_Model +Open_Source_Drug_Discovery +Open_Public_Digital_Infrastructure +Enlightenment_Era_Coffeehouses_as_Social_Network_Sites +Community_Infrastructure_Builders +RecycleBank +Sharism +Montevideo%27s_Open_Public_Digital_Infrastructure +Social_Networking_in_Plain_English +Banco_Palmas +HempBox +Relative_Weight_of_the_IP_Industries_in_the_Economy +Neo-Tribalism +Commodification_of_Information_Commons +Kennisland +Ungeeking +Social_Recession +NaturesScope +Social_Coops +Jeff_Howe_on_Crowdsourcing +Community_Supported_Shelters +Fab@Home_Personal_Fabber_Video +Small_Plot_Intensive +David_Bollier_on_Building_a_New_Digital_Republic +Literature_on_Intellectual_Property_Rights_as_a_Barrier_to_Technology_Transfer_and_Innovation +Democratic_and_Participatory_Production_in_the_Zapastista_Areas_of_Chiapas +Cameesa +A2K_Access_to_Knowledge +Desktop_Weaving +Commons-Oriented_Websites_in_Austria +Anonymous_Party +Open_Biology +Non-market_Co-creation +Digital_Civil_Society_Lab +Google_Page_Rank_Algorhythm +Stakeholder-Owned_Companies +Bollier,_David +Co-Creative_Events_Patterns +Science_for_the_People +Open_Font_Library +Global_Financial_Meltdown_and_Left_Alternatives +Daniel_Reetz_on_DIY_Book_Scanning +Exchange_and_Virtual_Currencies_Networks_in_Greece +Leapfrogging_to_Post-Industrial_Development +Peer-to-Peer_Potlatch_and_the_Acephalic_Response +Identifying_and_Understanding_the_Problems_of_Wikipedia%E2%80%99s_Peer_Governance: +Leonardo_Noleto +Blogumentary +Bulgaria +Market_Principles +Freicoin_Foundation +Mutual_Credit +Daniel_Mietchen_on_Open_Research +Social_Aggregators +Reciprocity +Emergent_Ventures +Paolo_Virno_on_the_Collective +Nonexcludability +Valeria_Graziano_on_Creative_Labour +Collective_Individuals +Thai_Inpaeng_Network +Cyberlords_as_a_Rentier_Class +Just_Alternative_Sustainable_Economics +FAB_Foundation_Members +Microfinance_and_the_Illusion_of_Development +Environment_as_Our_Common_Heritage +New_Movements_for_the_Global_Emancipation_of_Labour +Karl_Palm%C3%A5s_on_Panspectrocism +Mozilla_Manifesto +3-D_Printing_of_Open_Source_Appropriate_Technologies_for_Self-Directed_Sustainable_Development +Global_Labor_Networks +Open_Source_Art +Get_GNU_Linux +Telecenters_2.0 +Open-Source_Electronics +Third_Intellectual_Revolution_-_Rudy_Rucker +Martin,_Greg +ECC_Knowledge_Stream +Tent +Corporate_Social_Responsibility +Tragedy_of_the_Non-Commons +Building_the_Commons_Forum_Questions +Wireless_Internet_Assigned_Numbers_Authority +What_are_the_Policy_Implications_of_an_Open_Design_World%3F +Michael_Linton_on_Open_Money +Critical_Books_for_an_Appropriate_Economics_for_the_21_st_Century +Self-Management_and_Self_Control_Networks_in_Greece +Hack_Up +X_PRIZE_Foundation +Open_Monograph_Press +A_Day_with_Bauwens +Global_Connections +OSBP4EV +Pam_Warhurst_on_Incredible_Edible_in_Todmorden +Post-Democracy +Meme_Therapy_on_the_London_Copyfight_Conference +Barriers_to_Co-Creation +Private_Filesharing_Networks +Participatory_Journalism +Fire_vs._Water_Economies +Cory_Doctorow_on_How_Copyright_Threatens_Democracy +Logic_of_information +Code_2.0 +Open_Circuits +Community_Enterprise +Declaration_on_Open_Data +Ten_Internet_Rights_and_Principles +Attention_Trust +Water_Commons_Mapping +DIY_Biology +Digital_Media,_Youth,_and_Credibility +Place_and_Space_Research +Gentle_Action +Calafou +Granular_Payment_Systems +Trablr +Reshaping_Economic_Education_for_the_Economies_of_the_Commons +Michael_Goldhaber_on_the_Attention_Economy +Using_Nondominion_to_Evolve_from_Local_to_Global_Commons +Collaboration_and_Collective_Intelligence +Center_for_Adventure_Economics +Aesthetic_Commons_and_the_Enclosures_of_Instituting_Autonomies +Instructables +Law_of_Jante +PsyCommons_and_its_Enclosures_Through_Professional_Abuses_of_Power +Peer_Tutoring +Concentrated_Solar_Power_Open_Source_Initiative +Marcin_Jakubowski_on_Building_the_World%27s_First_Replicable_Open_Source_Global_Village +Econowmix +Adam_Penenberg_on_Is_Google_Evil +Alquim%C3%ADdia_-_BR +Public_Domain_Dedication_and_License +Principles_for_Free_Services +Ryan_Lanham +James_Boyle_on_Copyright_and_the_Public_Domain +John_Maynard_Keynes_on_Economic_Abundance +Evergreen_Cooperatives_as_a_New_Model_of_Economic_Development +Agriculture_Supported_Communities +Translator_Brigades +Shareaable_Salon_Panel_on_Building_Trust_and_Limiting_Risk_in_the_Sharing_Economy +Why_We_Need_Free_Network_Services +Access_to_Knowledge_Movement +Shared_Workspaces +Food_Incorporated +James_B._Glattfelder_on_Measuring_Who_Controls_the_World +Vision_and_Reality_of_Digital_Democracy +EEC_Deep_Dive_Participants +Market +Bitchun_Society_Whuffie_Tracker +Tim_Mansfield_on_the_Journey_towards_Transmodernity +Ellen_Brown_on_the_Case_for_a_Public_Credit_System +Cohen,_Bram +Slowly_Opening_License +TuxPhone +Blog +Cooperative_Cycles +Turtle_F2F +Jerry_Pournelle%27s_Iron_Law_of_Bureaucracy +Hannover_Principles +Open_Knowledge_Foundation_Labs +Brewster_Kahle_on_What_Is_Wrong_with_Google%27s_Book_Digitization_Programs +Open_Source_Schools +Open_Circuit_Design +Lifestyle,_Freedom_and_The_Humanity_Factor +Business_Models_of_Fab_Labs +Selective_vs_Integrative_Crowdsourcing +Community_Bills_of_Rights +Emerging_Conception_of_Participation_and_Democracy_in_Online_Settings +Marcin_Jakubowski_on_Open_Source_Ecology +Why_Most_Published_Research_Findings_Are_False +Commons_Economics_Blog_Log +Critical_Thinking +Environment_as_a_Common_Right +Geography_of_Do-It-Yourself_Biology +Miro +Rule_by_Algorithm,_Big_Data_and_the_Threat_of_Algocracy +Tools_for_Online_Idea_Generation +Zelazo +Serval +Open_Gov_the_Movie +Adam_Greenfield_on_Everyware +Earth_Commons_Rising +Ephemeralization +Charlene_Spretnak +Juliet_Schor_on_the_Two_Types_of_Economic_Growth +Inkscape +Peer_Property +Peer_to_Peer_Mortgage_Lending +Post-Gutenberg_World +No_Middlemen_Cost_Cutting_Networks_in_Greece +Policies_for_FabLabs +Open_PC_Project +Nature_as_a_Commons +Scott_Rosenberg_on_the_Open_Source_Applications_Foundation +Biological_Patent +Your_Job_Done +Solar_Market_Garden +University_Open +Programmability +Conversation_sur_l%27Economie_des_Communs +Bruce_Waltuck_on_Story_Infrastructure +Open_Boundaries +Complex_Responsive_Process +ShareWiki +Global_Localization_and_Manipulation_Engine +Post-Growth_Economics +Peer_Networks +Ethical_Socialism +Podsafe +Collaborative_Community +Social_Venture +Open_Education_Commons +Open_Source_Sensing_Initiative +Open_Source_Health_Research +FLO +Our_Common_Wealth +Open_Hardware_Microcredit +IPrism_Global +Equity_Crowdfunding_in_Europe +Collaborative_Networks_and_the_P2P_Model_in_Brazil +Microwork +How_Open_Source_Development_is_Funded +Open_Statecraft +Joseph_Isenbergh_on_Open_versus_Closed_Systems +Web_4.0 +History_of_Internet-Enabled_Activism +State_In_A_Box +Joytopia +Health_Effects_of_Electromagnetic_Waves +Open_Respect +Linked_GeoData +Damanhur +Anti-Rivalness_of_Free_Software +How_the_Internet_Changed_Politics_and_the_Press +Tyrannie_technologique,_critique_de_la_soci%C3%A9t%C3%A9_num%C3%A9rique +%CE%97_%CE%91%CE%BD%CE%B1%CE%B4%CF%85%CF%8C%CE%BC%CE%B5%CE%BD%CE%B7_%CE%A3%CF%86%CE%B1%CE%AF%CF%81%CE%B1_%CF%84%CF%89%CE%BD_%CE%9A%CE%BF%CE%B9%CE%BD%CF%8E%CE%BD +Bottom-up_Broadband_for_Europe +High_Tech_Trash +Disassortative_network +Degreed +Elite +Information_Cards +Social_Kitchens_and_Food_Distribution +Online_Video_and_Participatory_Culture +Ten_Myths_about_Patents +Doing_Good_Things_Better +Premium_Cola +Unlimited_Design_Competition +P2P_Parking +Annemarie_Naylor +Free_Currency +Superdistribution +CE_Research_Notes +Meditations_on_Free_Culture +Deliberative_Democracy_Movement +Green_Free_Enterprise +TinkerCell +Ample_Harvest +Open_Letter_to_Researchers_on_P2P_Funding +Michel_Bauwens_on_P2P_Politics +Opening_Up_the_Value_Chain +Common_Course_Curriculum +Interview_with_Cormac_Cullinan_on_the_Universal_Declaration_Of_The_Rights_Of_Mother_Earth +TekScout_Open_Innovation_Exchange +Subversive_Cartographies +Harnad,_Steven +Cybernetic_Socialism +Communicative_Capitalism +Open_Web_Foundation +Pull_Economies +Community_Currency_Systems_in_Japan +How_Too_Much_Ownership_Wrecks_Markets +Media_Ecosystem +Cosmopolitan_Localism +New_Explorers_Guide_to_Dutch_Digital_Culture +DRM-Free_Music +Bibliography_of_the_Influence_of_the_Internet_on_Politics_and_Elections +Buffer_Vehicles_as_Commons_in_a_Carpooling_system +Peoples_Capitalism +Open_Source_Market_Economy +Medical_and_Health_Commons +IsoHunt +Datapkg +Craig_Baldwin_on_Appropriating,_Scratching_and_Decoding_in_Remix_Culture +Social_Radio +Community-Led_Wind_Power +Email_Filter_List +FOSS +Open_Source_Drones +Limits_to_Property +Il_paradigma_di_Open_Source_Ecology +Corporate_Libertarianism +Slacktivism +Coding_Cultures +Popular_Culture_of_Internet_Activism +Customizable_Open_Hackable_Prostetics +E2C/Nota_breve_para_explicar +Commons_-_Typology +Internet_is_NOT_an_Energy_Hog +Alternate_G8_Interview_on_Open_Government_with_Michel_Bauwens +Open_Ventures +Citizen-funded_Wind_Turbines +Generalized_ToolPath_language +Museum_as_Commons +Distributed_Furniture_Factory +Urban_Poor_Fund_International +Susan_Patrick_on_Online_Learning_and_School_2.0 +PeerSquared +User-Driven_Value_Creation +Scale_Up_From_One +P2P_Reader_Draft_1 +Dan_Robles +Social_Construction_of_Freedom_in_Free_and_Open_Source_Software +Community_Participant_Lifecycle +P2P_Media_Vocabulary +PROUT +Information_Commons +Collaboratively_Speaking_with_Shelby_Clark_of_RelayRides +Cyber_Marx +Annette_von_Sch%C3%B6nfeld +Callinicos,_Zizek,_Holloway_on_the_Idea_of_Communism +Open_Meta_Design +Christopher_Hoadley_on_Indigenous_Technology_Design +Shared_Ownership_and_Wealth_Control_For_Rural_Communities +Funkfeuer +Three-Dimensional_Printing_Open_License +Central_do_Cerrado_-_BR +NetBehaviour +Municipal_Wireless_Broadband_Projects +Commoncy_Notes +Val%C3%A9rie_Peugeot +Homophily +P2P-Urbanism_World_Atlas +James_Quilligan_on_Finance_as_a_Commons +Magda_Balica_on_On-line_Facilitator_Skills +Multitude_et_Metropole +Placeopedia +Enabling_Co-operative_Enterprises_To_Grow_the_Green_Economy +Gerhard_Scherhorn +Internet_Currencies +Marty_Kearns_on_Netcentric_Advocacy_in_a_Socially_Networked_World +Linus_Torvalds_on_the_Adoption_of_the_Linux_Operating_System +Suzanne_Seggerman_on_Games_4_Change +Mindsy +Global_Finance_Reform +Cyber-Conflict_and_Global_Politics +Tiziana_Terranova_on_the_Political_Economy_of_Social_Media +Occupy_Writers +Process_Economy +Commonwealth +Growing_Local_Economies_with_Local_Currencies +David_Loertscher_on_Libraries,_Library_2.0,_and_the_Learning_Commons +Peer_Assets +Connectivism +Legal_Aspects_of_Crowd-Sourcing +Open_Library +WikiQuals +Symbiotic_Intelligence_Project +Granular_Web +David_Wiley_on_Open_Education_and_the_Future +Open_Source_Theology +Mooc%27s_as_the_Lego_Bricks_of_Education +Communia +Commons,_Class_Struggle_and_the_World +XDI +Google_as_the_Digital_Gutenberg +Multihoming +Agonistic_Politics +Free_Open_Form_Performance +Civic_Media +Join_the_P2P_Foundation_Scientific_Research_Network +Social_Credit +Open_Source_3D_Scanner +Economy_of_Contribution_in_the_Digital_Commons +Gnutella_Processing_Unit +Thai-Language +Noam_Chomsky_and_Bruno_della_Chiesa_on_45_Years_of_Pedagogy_of_the_Oppressed +Paul_B._Hartzog +Energy_Backed_Crypto-Currencies +Sabbath_Economics_and_Community_Investing +Second_Data_Revolution +Dunning%E2%80%93Kruger_Effect +Telec%C3%A1pita +OSHW_2010_Summit_Panel_on_Open_Hardware_Licenses_and_Norms +Barca_dols_Livros_-_BR +Homo_Nexus +French-Language +Snowdrift_Game +Solar-Powered_3D_Printing +Open_P2P_Design +Open_Electronics +Teaching_Tech-Savvy_Kids +Essays_on_Algorithmic_Culture +Isaac_Mao_on_Sharism,_Religion_and_Culture +EBay +A_Large-Scale_Study_of_MySpace +Dynamic_Web +Public-Benefit_Corporation +How_Stories_Live_and_Die_in_Viral_Culture +Vandana_Shiva +Entrevista_con_Michel_Bauwens_por_Amador_Fern%C3%A1ndez-Savater_-_Publico +Shaping_of_Power,_Rights,_and_Rule_in_Cyberspace +Ian_Bogost_on_Persuasive_Games_and_Civic_Engagement +Open_Source_Clinical_Trials_Databases +Ba%C5%9Fak_%C5%9Eenova_on_the_Upgrade_Project +Open_Source_Software_Development_Community +Peer_to_Peer_Aid +Rishab_Aiyer_Ghosh +New_Forms_of_Worker_Organization +Open_Source_Software_and_Libraries_Bibliography +Todd_Richmond_on_Open_Educational_Resources +Resource-Based_Economics +Economy_of_Meaning +Collaborative_Innovation_Networks +Task_Work +Your_Digital_Dossier +Peer_Production_and_Education +Evolve24 +Hint-based_Systems +Open_Source_Software_Distribution_Initiative +Future_of_the_Commons +Occupy_Wall_Street_Labor_Outreach_Committee +The_Power_of_Trusted-Human_Powered_Social_Graph_based_Search +Document_Web +Open_Identity_Currencies +Interview_with_Thomas_Greco_on_Going_Beyond_Money +Yochai_Benkler_on_the_Role_of_New_Media_for_21th_Cy_Journalism +School_of_Commoning +Thank_You_Economy +Innovation_Without_IP_-_History +Typology_of_Sharing_Practices +Dan_Sullivan_on_the_Land_Value_Tax_as_a_Community_Development_Tool +Raj_Patel_on_Value,_Price,_and_Profit +Open_Business_Readiness_Rating +Collaboratory_information_assessment +Gridlock_Economy +Directory_of_K-12_Personal_Fabrication_Education +Organizational_Economics_of_Open_Source +Martin_Pedersen +Interest-Based_Social_Networks +Sociological_Theory_and_Collective_Subjectivity +Amy_Sample_Ward_on_NetSquared +P2P_Voucher_Payment_System +Gridblogging +Great_Re-Skilling +Public_Knowledge +Art_of_Community +Accumulation_by_Dispossession +Second_Skin +Hyperempowerment +Distribution_of_Power_BetweenUsers_and_Operators_in_the_Virtual_World +Manifesto_for_Socially-Relevant_Science_and_Technology +Amateur_Radio_Transmissions_for_Emergencies +Panel_on_New_Business_Models +REST +Participatory_TV +Open-Source_Humanoid_Platform +Relation_Capital +Interview_with_Thomas_Greco +Mercora +Intermesh +Liquid_Democracy +Defensive_Patent_Pool_for_Open_Source_Projects_and_Businesses +Peiyuan_Guo +Phil_Leigh_-_Inside_Digital_Media +Facebook_Credits +You_Are_Not_a_Gadget +Neo-Venetianist_Networks +Open_Source_Military_Hardware +Alain_Badiou_on_the_Politics_of_Resistance +Janelle_Orsi_on_Steps_Towards_a_Resilient_Economy_Through_Cooperatives_and_Community_Enterprise +Precious_Plastics +Rue_89_Interview_on_P2P +Piracy_as_Marketing +Anonymous_and_Decentralized_Networks +Ownership_Control_Matrix +Share_Some_Sugar +GLS_Treuhand +Radical_Mycology +Robin_Chase_on_Zipcar +Edupunk_Manifesto +Victoria_Stodden_on_the_Need_for_Transparency_in_Scientific_Discovery +Presence_and_the_Design_of_Trust_Dutch +Producism_Manifesto +Cooperative_Distribution_Services_-_Torrents +Burdastyle +Free_Standards_Group +Cup +Online_Creation_Communities_-_Platform_Governance +KinoRAW/es +Open-source_3D_Printers +Lead_Users_as_a_Source_of_Novel_Product_Concepts +Practice_Perspective_on_Websites_for_the_Sharing_Economy +La_Taberna_del_Escoc%C3%A9s/es +Mutualized_Funding_Schemes +David_Bollier_on_Governing_the_Digital_Commons +Workers_Self-Management +New_Model_Army +Group_Purchasing +Additive_Manufacturing +Unethics_of_Sharing_on_Corporate-Owned_Platforms +Templates +Synthetic_Biology_1.0 +Safecast_Radiation_Mapping +Economic_Democracy:_The_Political_Struggle_for_the_21st_Century +Urbanism_3.0 +Evolutionary_Guidance_Media +FLOSS_Manuals +Beyond_GDP +Co-Library_Research_Project +Post-Growth_Economy_FAQ +Internet_Engineering_Task_Force +Mozilla_Translathon/es +Common_Property_Rights_Project +Cera_Centre_for_Co-operative_Entrepreneurship +Economy_of_Esteem +Toward_a_Global_Autonomous_University +Collaborative_Consulting_for_Legislation_Drafting +Transdisciplinarity +Capitalisme_Cognitif +Franz_Nahrada_on_Global_Villages +Value_Critique +Phone_Buddies +Contextopedia +Ethically_Challenged_Professions +Iron_Law_of_Institutions +Zipcar +Protocol +Stigmergic_Organization_and_the_Economics_of_Information +4Chan,_WikiLeaks_and_the_Silent_Protocol_Wars +Cass_Sunstein_on_Infotopia,_Information_and_Decision-Making +Land_as_Community_Property +Andrew_Bowyer_on_the_RepRap_Project +Open_Leadership +Guild_System +Open_Source_Hydrogen_Car +Transparency_in_a_World_of_WikiLeaks +ISOC_Core_Internet_Values +Bram_Cohen_on_the_Creation_of_BitTorrent +Kevin_Kelly_on_the_Technium +Freematics +Cost_of_Knowledge_Anti-Elsevier_Campaign +Land_as_Commons +Fair_Finance +Lawrence_Bird_Interviews_Michel_Bauwens +Proposal_for_an_Alliance_between_the_Social_Economy_and_Free_Libre_and_Open_Source_Software +Michael_Anti_on_how_Blogging_has_changed_China +Accelerationism +Augmented_Reality +How_Network_Governance_Adds_Value +Nathan_Cravens +Mobile_Tactics_for_Participants_in_Peaceful_Assemblies +Twibright_Ronja_Open_Wireless_Networking_Device +Public_Engagement_Principles +Rise_of_Decentralized_Renewable_Energy_Is_Happening_Faster_Than_Anticipated +15M_Movement_Tactics +Peer_to_Peer_Thing_Tracking +BIBLIOGRAPHY +Generation_Participation +Linux_en_caja/es +Declaration_of_the_Occupation_of_New_York_City +Free_Stores +Tag_Standards +Open_Company_Legal_Research_Group +Selfless_Actualization +Books_on_Commons_Economics +Global_Contact_Meetups +Talent_Wants_To_Be_Free +Mass_Collaboration_Dissertation +Technics_and_Time +The_Search_-_Google +Bradley_Kuhn_of_Free_Software_Communities_vs._Open_Source_Companies +Distributed_Fabbing +MP3_Players +Peer-to-Peer_Payments +Web_Widgets +Monitory_Democracy +Growing_Cities +Deep_Democracy,_Peer-to-Peer_Production_and_Our_Common_Futures +TrackMeNot +2.4_Propri%C3%A9t%C3%A9_et_biens_communs_(en_bref) +Organic_Intellectuals +Peer-to-Peer_Public_Media_Training +Richard_Stallman_on_DRM_and_Digital_Rights +Preparing_for_the_People%27s_Summit_at_Rio_20 +Shared_and_Open_Anthropology +P2P_Foundation_Social_Publishing +Vernacular_Video +Music_Infrastructure_Commons +Kiva_Zip +Sharing_Idle_Assets +Towards_the_Finland_Station_or_the_Politics_of_P2P +Lisa_Nakamura +From_Pamphlet_to_Blog +Property_Commons +Richard_Wilkinson_on_How_Economic_Inequality_Harms_Societies +Interview_with_Bre_Pettis_on_the_3D_Printing_Revolution +Seeds_of_Freedom +Open_Source_Company +Mass_Observation_Movement +Five_Internet_Priorities_for_the_U.S._Congress_in_2007 +Transcendent_International +Law_of_the_Ecological_Commons +Greek-Language +Josh_Farley_on_Monetary_Policies_for_Ecological_Economics +General_Theory_of_Labour-Managed_Market_Economies +What_Does_an_Open_Source_Approach_to_Education_Look_Like +Trust_metric +James_Boyle_on_the_Science_Commons_and_Open_Source +Ripplepay +Open_Desk +Dorethea_Haerlin +Mathieu_O%E2%80%99Neil_on_the_Emergence_of_Wikilawyers_in_Free_Online_Projects +Microsolar +Rule_of_Property +Monasteries_of_the_Future +Dataveillance +Us_Now +Dave_Gardner_on_the_%27Hooked_on_Growth%27_Documentary +Occupy_Money_Cooperative +-_Howard_Rheingold +Story_of_Change +Redesigning_Corporate_Ownership_and_Governance +Big_Society_Network_(UK) +Windowfarms +BioCurious +Jay_Rosen_on_Open_Source_Journalism +European_Sharing_Economy_Coalition +Open_Source_Brand_Manual +Privacy_Value_Networks +Some_Economics_of_Wireless_Communications +World_Mountain_People_Association +Open_Government_Partnership +Dave_Vondle_on_Re-examining_Design_for_Open-Source_Hardware +Ann_Pettfor_on_Financing_the_Green_Transition +Autonomy_Symposium +Mine!_Project +John_Bonifaz_on_Revoking_Corporate_Personhood +Phidgets +W3C_Geolocation_API_Specification +Cybernetic_Culture_Research_Unit +Why_Everybody_Hates_DRM +Common +Brands +Free_Online_Journals +T.D.Pcoperativa +Social_Change_Philanthropy +UK_Wireless_Commons +Project_Chanology +Occupy_The_SEC +Value_Chain_2.0 +Subjectivity_in_the_Ecologies_of_Peer_to_Peer_Production +Digital_Book_Reading_Rights_Checklist +Article +Schiesaro,_GianMarco +Employee_Ownership_Association +Power_of_Open +Just_Price +Free-Space_Optical_Technology +OpenScience_Project +Open_Collaboration_Encyclopedia +PubSubHubbub +Planned_Economy +Communal_Sharing_Theory +New_Economy_Global_Transition_Map +Development_as_Buen_Vivir +Manuel_Castells_on_Cyberspace_and_Urban_Space_in_Autonomous_Networked_Social_Movements +Searching_For_The_Shareable_Economy +Currency_Proposal_for_Liquid_Ownership +Open_Source_Licenses_Summarized_and_Explained_in_Plain_English +Supporter_Based_Marketing +Asset-Based_Community_Development +Grammar_of_the_Multitude +Digital_Registry_panel +Open_Source_Telephony +Open_Hardware_Technology_for_the_Environment +Virtual_Embeddedness +Joseph_Tainter_on_the_Collapse_of_Complex_Societies +Grow_Your_Own_Media_Lab +Stephen_Collis_on_the_Metabolic_Commons +Global_Water_Justice_Movement +OuiShare/es +Slow_Planet +Internet_Access_Cooperatives +Open_Source_Wheater_Monitoring +Wiki-historias/es +Global_Transparency_Movement +World_Wide_Water_Commons +Occupy_For_Change +Economics_of_Abundance +Open_LCA +How_the_Mobile_Industry_uses_Open_Source_to_Further_Commercial_Agendas +Customer-Controlled_Networks +Tag_Gardening +Social_Web_Usage_in_University_Classrooms +Governance_Holarchy +Netcrowd +Democracy_2.1 +Jon_Richter +Introduction_on_P2P_Relationality::Production,_Socialilty,_Relations,_Subjects +FC_Forum +Decentralised_Citizens_ENgagement_Technologies +Open_Archeology +Market-Driven_Politics +Access_To_Land_for_Community-Connected_Farming +Creating_a_Legal_Framework_for_Online_Identity +Shun-Ling_Chen +Shirkey,_Clay +Energiewende +User-Driven_Innovation +Work_Nets +Jeffrey_Juris_on_Networking_Futures +ExtrACT +Wireless_Africa +Actor_System_Model_of_Computation +Noha_Atef_with_Egyptian_Social_Media_Stories +New_Suburbanism +Marcos_Garc%C3%ADa +Future_Of_Music +Digital_Music_License +Equity_Based_Education_Funding +Global_Multi-Stakeholder_Networks +Exodus +Openness_Undermines_Advertizing +Sustaining_the_Common_Good +Crowdfunding_and_the_Law +Occupy_Our_Food_Supply +The_Political_Principles_of_Peer-to-Peer_Advocacy +Is_Our_Monetary_Structure_a_Systemic_Cause_for_Financial_Instability +Human_Symbolic_Revolution +PP2P +User_Centric_Legal_Agreement +Cred +Deglobalization +Corporate_Restructuring_and_the_Casualisation_of_Employment +Financial_vs_Productive_Capital +Open_Education_Conference_2007_Videos +Armin_Beverungen +KinoRaw/es +Macrowikinomics +What_Makes_Asset_Sharing_Platforms_Thrive +Intellectuals_in_an_Age_of_Transition +Al_Jazeera_Documentary_on_the_Indignants +Don_Tapscott_on_Mass_Collaboration +Tom_Mahon_on_Technology_and_Social_Justice +Penguin_and_The_Leviathan +Open_Source_Governance_Models +Virtual_Learning_Environments +Hashmob +Regulation_of_Crowdfunding_in_Germany,_the_UK,_Spain_and_Italy +European_Identity_Conference_Videos +Coordination_Theory +Sliding_Scale_Payments +Nature_and_Roles_of_Policies_and_Rules_in_Wikipedia +Horizon_of_the_Commons +Anonymous_Blogging +REconomy +Labour_Theory_of_Value_in_Cognitive_Capitalism +Michael_Lauer_on_Open_Moko_and_the_Nephone +Public_Domain +Eben_Moglen_on_Patent_Law_Today +Julian_Assange_Show_on_Cypherpunks_Against_Total_Surveillance +NPR_TED_Podcast +Open_Hardware_Foundation +Economic_Impact_of_Free_Software +Johnny%E2%80%99s_Selected_Seeds +Open_Movie +Fractional_Reserve_Banking +Philanthrocapitalism +Introduction_to_the_Auroville_Community +Electronic_Countermeasures +Internet_Public_Debate_Observatory +Luis_von_Ahn_on_the_CAPTCHA_Cooperation_Process +Toward_Open_Source_Hardware +Crop_Mob_Video +Introduction_to_Holopticism +Tiago_Peixoto_on_Technology_and_Citizen_Engagement_for_Open_Government +Russell_Ackoff_on_Systems_Thinking +Scotland +OccuCopy +Transparent_Society +Le_peer-to-peer,_cl%C3%A9_de_vo%C3%BBte_pour_les_%C3%A9conomies_futures +Catwalk_Genius +2.1_Copyright_and_Mass_Media_(Details) +Recovering_the_Commons +John_Humphreys_The_Data_in_Genomics_Should_Be_Widely_Available +Identi.ca +Phyles_in_Fiction +Co-opportunity +Personal_Fabrication +Comision_Legal_Sol +Open_Hardware +National_Alliance_for_Medical_Image_Computing +Lawrence_Lessig_on_Open_Spectrum +Janelle_Orsi_on_the_Legal_Framework_for_Resilient_Community_Enterprises +Universal_Currency_Clearinghouse +P_4_L_Manifesto +Jay_Bradner_on_Open_Source_Cancer_Research +Exploitative_Business_Logics_Behind_the_Sharing_Economy +Wikipedia_and_Encyclopaedism +Ogg_Theora +Gnusha +Are_Coops_Outdated_in_a_Network_Age +Stardust@home +Electronic_Design_Automation_Software +Cyberinfrastructure +Drogulus +Refarm_the_City +Maker%27s_Row +PlanetMath +Meshworks +Mutual_Benefit_Society +Acoustic_Energy_WiFi_Radio +Xavier_Basurto +Genero_Initiative +Dave_Pollard_on_Personal_Knowledge_Management +SoLAr +Dave_Karpf_on_the_Transformation_of_American_Political_Advocacy_after_MoveOn +CONCLUSIONS +Jim_Bessen_and_Eric_Maskin_on_the_Patent_Wars +Equity-Based_Crowdfunding +Born_Online +Thought_Thieves +Exclusive_disjunction +P2P_Journal +Open_Hardware_Businesses +Open_Set_Top_Box +Zittrain,_Jonathan +Tao_of_Democracy +Video_Creation_%26_Editing +Tivo +Gift_Economies_vs._Transactional_Economies +Privaterra +Life_Inc +Permaculture_Information_Web +Annabel_Lavielle_The_research_action_panel_enhances_collaboration_between_cross-sectors +Our_Media_Founders_interviewed +Conway%27s_Law +Open_Source_as_social_process +Solar_Concentrators +Wikis_and_Academic_Scholarship +Nick_Dyer-Whiteford_on_the_Emancipatory_Potential_of_Digital_Commons +Critical_Studies_in_Peer_Production +Citizen_Engineers +Free-Open_Service_Definition +Participatory_Plant_Breeding_-_China +Will_Hutton_on_the_Need_for_Fairness_in_Society +Commons_Network +Algorithmically%E2%80%93Defined_Audiences +Smart_Work_Center +Commons_Culture_Communications_-_2012 +Commons_Culture_Communications_-_2013 +Ad_Hoc_Mobile_Networks +Ethical_Trade +Open_Payment +Open_Source_Finance +International_Conference_on_Germplasm_Interoperability +Expert_Labs +Open_Design_Is_Going_Mainstream +Hazel_Henderson_and_Rinaldo_Brutoco_Discuss_the_Global_Meltdown +Esther_Mwangi +Systemic_Complexity_Thinking +Will_of_the_Many +Le_peer-to-peer_est_le_socialisme_du_XXIe_si%C3%A8cle +Web_3D_Consortium +Noocracy +Interactional_Expertise +Buddhist_Approach_to_Economic_Transformation +Deborah_Frieze_on_How_Systems_Change +Community_Interest_Companies +Guifi.net_Zornotza/es +Innovation_Decentralization +Field_Sociality +Evolution_of_Remix_Culture +Freedom_Box_Project +Peer-to-Peer_Network_Approach_to_Psychological_Work +Mary_Mellor +Open_Gaming +Copyright_Exception_for_Monetizing_File-Sharing +Open-Source_Colorimeter +Students_for_Free_Culture +Leo_Burke_on_the_Global_Commons +Aid_Transparency +Globalisation_for_the_Common_Good +Three_Stages_of_Freedom +Open_High_School_of_Utah +Open_Phones +Actions_Options_Tool +Program_on_Liberation_Technology +Robert_Sapolski_on_What_We_Can_Learn_from_Baboon_Hierarchies +Commons_for_Public_Health_-_2013 +Commons_and_Community +Small_Worlds_Theory +Copyfight +Wild_Zones +Digitale_cultuur_en_duurzaamheid +Not-For-Profit_Enterprise +Self-Managed_Healthcare_Cooperatives +Collaborative_Floating_Research_Platform +Bloggers_for_Peer-Reviewed_Research_Reporting +Peer_Production_License_V1 +Wage +Social_Network_Unionism +Peer_to_Peer_and_User-Led_Science +Maintainer_Model_of_Management +Process_Specification_Language +Crowdfund_Intermediary_Regulatory_Advocates +Birth_of_Impersonal_Exchange +Some_Theory_and_Empirics_of_Optimal_Copyright +Oregon_Citizen_Initiative_Review +John_Keane_about_the_Life_and_Death_of_Democracy +Don_Tapscott_on_the_Occupy_Movement +Working_Group_on_Open_Data_in_Science +Six_Principles_for_Open_and_Cooperative_Convergence +Civil_Regulation +Sharing_Garden +Fab_Academy +David_Warlick_on_Redefining_Literacies_for_the_21st_Century +Human_Sensing +Open_Source_Ecology_-_Governance +Freedom +Open_Standards_Definition +Cecilia_Palmer_and_Otto_von_Busch_on_the_Fashion_Reloaded_Project +Platypus +E2C/Modelos_Sustenibilidad +World_Cafe +Community_Bike_Shops +Michael_Huesemann_on_the_Dangers_of_Technological_Optimism +Toplap +Amy_Barker_on_Literary_Mash-Ups +Cloud_Standards +Online_Community +Public_Services_2.0 +Social_Media_Command_Centers +California%27s_Open_Textbook_Initiative +Open_Company +Document_Freedom_Day +Open_Licensed_Digital_Media +Allain_Caill%C3%A9 +Greve,_Georg +Ervin_Laszlo_on_Leadership_for_Social_Change +Guide_To_Open_Content_Licenses +Susan_Crawford_on_Regulating_the_Internet +Technium +European_Medieval_Democracy +Customer_Engagement_Metrics +Scopes +Jean-Claude_Bradley_on_Open_Notebook_Science +Knowledge_Politics_-_UK +Babylon_and_Beyond +Survey_of_Commons-Based_Peer_Production_of_Physical_Goods +How_to_Bypass_Internet_Censorship +Open_Research_Exchange_Project +Short_Circuit +Eastern_Origins_of_Western_Civilization +Sharing_Economy_Brand_Success_Metrics +Making_Democratic_Governance_Work +Software_Patents +Dynamic_Representation +Localizing_the_Internet_beyond_Communities_and_Networks +Economic_Web +Voucher-Safe_on_Secure_P2P_Digital_Cash_and_Infrastructure +Role_of_the_Internet_in_the_Uprisings_from_Tahrir_Square_and_Beyond +Make_Change_TV +Patrick_O%27Connor +Diwo_Coop +Douglas_Rushkoff_on_the_Prospects_for_a_Digital_Renaissance +Payment_of_OS_Developers +Douglas_Rushkoff_on_Open_Source_Democracy +Minerva_Distributed_Search +TV_over_Internet +Vlogumentary +Nordic_Everyman_Rights +Hard_Takeoff +Fundacion_Karisma +Open_Source_Seed_Initiative_and_the_Struggle_for_Seed_Sovereignty +Rachel_Durrant +Bay_Area_DIY_communities +Community_Knowledge_Hub_for_Libraries +Hash +Gaian_Democracies +Python_Software_Foundation +Chinese_Motorcycle_Industry +Canter,_Marc +Network_23 +Dee_Hock +United_Religions_Initiative +Commotion_Wireless +Jaromil_on_Bitcoin_as_a_Free_Money_System +Beyond_Discipline +Community_Development_Finance_Initiatives +Cryptohierarchy +Emergy_Theory +Anthony_Barnett_on_Occupy_and_the_Left +Implementing_a_Traditional_Knowledge_Commons +Distribution_Pool +Pirate_Governance +Fundamental_Dimensions_within_Liquid_Feedback_and_Other_Voting_Technologies +Farming_the_City_-_Amsterdam +Open_Source_Network_Analysis +Nicholas_Christakis_on_Evolving_Social_Networks_and_their_Future_Applications +Last_FM +Cognition_in_the_Wild +OpenHatch +MUVE +Labour_Land_Campaign_-_UK +Loser_Generated_Content +Peer_Coaching +Problem-Solving_Intelligent_Networks +Open_Pilot +Janine_Cahill_on_Real_and_Virtual_Social_Communities +MySpace_Data_Availability +Gustavo_Soto +Social_Opinion +Enclosure_of_Information_as_Public_Good_under_a_Regime_of_Artificial_Scarcity +Agro-ecological_Approaches_to_Agricultural_Development +Seeks_Project +Peer-to-Patent +Open_Toolbox +Social_and_Solidarity_Economy +Occupy_This_Album +Richard_Stallman_on_Free_Software +Freevlog_Tutorial +How_the_OccupyWallStreet_Movement_is_Evolving_from_Networked_Individualism_to_Empowered_Communities +Civic_Intelligence +Neighborhood_Commons +Presence +Link-Trapping_Service +How_To_Occupy +Surprising_Design_of_Market_Economies +Gunio +Tomorrow%E2%80%99s_Owners_Must_Be_Good_Stewards +Contestation_of_Code +Copyright_Alert_System +Importance_of_distributed_digital_production +Couchsurfing +Public_Goods_vs_Common_Goods +Social_Economy_-_Europe +Net_Device +Decision_Making_-_Typology +Participation_in_Art +Open_Libernet +Beyond_the_Commons +Personal_Manufacturing_Tools +Total_Social_Fact +Glocalism +Urban_Public_Spaces_as_Commons +Handmade_Bakery +Mutual_Aid_and_Civil_Society +Geoweb +Counter-Economics +Pedagogy_of_Civic_Participation +Social_Media_Scenarios_for_the_Television +Open_Annotation_Community_Group +Labitrack +Configuring_the_Networked_Self +David_Cobb_on_Corporate_Personhood +Personal_Telco_Movement +Networked_Transit_Systems +Open_Source_Infrastructures +Computer-Linked_Social_Movements_and_the_Global_Threat_to_Capitalism +Chris_Cook_on_Peak_Credit_and_Open_Capital +MyZone +Do-It-Yourself_Foreign_Aid +Cosma_Orsi +Benjamin_Barber_on_City-Based_Global_Governance +Theses_for_Technology_Policy_2008 +Common_Pool_Resources +Co-creation_Communities +Eternal_Internet_Brotherhood +OKCon_2011_Open_Science_Panel +Crowd_Curation +Videos_Illustrating_the_Barcelona_Charter_for_Innovation,_Creativity_and_Access_to_Knowledge +Open_Glasgow +Food_Hub_Distribution_Software +Sacred_Farming +Panocracy +Carsharing +Videomarks +Terranova,_Tiziana +Video_Liberty_Project +Prof._Grave_Riddle_on_the_(Anarcho-Capitalist)_Big_Society +Petros_Polonos +Patient/Physician_Cooperative +Woody_Tasch_on_Slow_Money +Paul_Duguid_on_the_Google_Books_Project +Vocabulary_Of_Commons +Technologies_and_Politics_of_Control +Dialogue_between_P2P_Theory_and_Marxism +Kleroterians +Land-Based_Money +Personal_TV_channels +Protocol_for_Online_Abuse_Reporting +Temporal_Elites +Ripple_Pay +Social_Learning_Network +General_Theory_of_Relationality +John_Lester_on_Second_Life_and_Public_Media +Social_Investing +User_Innovation_in_Sports +Democracy_and_Revolution +Documentary_on_the_Cradle_to_Cradle_Design_Concept +Interview_with_Hazel_Henderson +Open_Source_Artificial_Intelligence +Decoding_Liberation +Brewster_Kahle_on_the_Internet_Archive +System_Options_for_Social_Publishing_for_the_P2P_Foundation +3.2_Explaining_the_Emergence_of_P2P_Economics +Janelle_Orsi +Space_Planning_for_Online_Community +Anonymous_Digitally_Signed_General_Ledger_and_Trading_System +Christian_Nold_on_the_Bijlmer_Euro +Culture_of_Peace +Chris_Marsden_and_Ian_Brown_on_Better_Regulation_in_the_Information_Age +Philippe_Aigrain_on_the_Wealth_of_Networks +Credentialism +P2P_and_the_cosmobiological_tradition +Neighborhood_Fabrication_Shops +Labor_Theory_of_Property +Urban_Resilience +Jon_Santiago_on_the_Green_Fab_Lab_at_Sustainable_South_Bronx +Lawrence_Lessig_on_Government_Transparency_and_its_Dangers +Origins_of_Wealth +TRIPS +Place_of_Peer_Production_in_the_Next_Long_Wave +Sustainable_Energy_Without_the_Hot_Air +Blogging_as_Distributed_Activity +Fitzgerald,_Sean +Common_Property +Capitalism_3.0 +Experience_of_Commonness +P2P_Blog_Podcast_of_the_Day +Open_APIs_and_News_Organizations +Commons-Based_Media_Production +Tabby_Open_Source_Vehicle +Unconsumption +Long_Tail_and_the_Forces_of_Control +Public_Patents +Cooperative_Place_Making_and_the_Capturing_of_Land_value_for_21st_Century_Garden_Cities +Pulse +Censorship_2.0 +Solar_Grid_Parity +Podcasting +Michel_Bauwens_OuiShare_Talk_on_the_Collaborative_Economy_at_the_Mutinerie_in_Paris +Open_Source_Information_System +Online_Video_Allows_PR_to_Bypass_Media +Bernard_Lietaer_on_a_New_Currency_for_the_World +Building_Sustainable_Communities +FLO_Farming +Open_Spirometry +People-Centered_Development_Forum +Open-Source_Development_of_Solar_Photovoltaic_Technology +Ossoil +K-Score_Distribution +Neoliberalism +Hashtag_History_of_Occupy_Wall_Street +Social_Kitchen +Open_Anthropology_Cooperative +People-Centered_Local_Economies +Social_Micro_Blogging +Leadership_at_Open_Source_Protests +Analysis_of_Functions_and_Dysfunctions_of_Direct_Democracy +Signatories_of_Barcelona_Charter_on_Free_Culture +Virtual_Professional_Community +Openeering_Wiki +Jean-Claude_Bradley +Comunes +Integration +Overview_of_the_Relationship_Between_Fashion_and_Intellectual_Property +Alterglobalization_Movement +Design_principles_of_the_Recursive_InterNetwork_Architecture +David_Garcia_on_Collective_Emotions_in_the_Internet_Society +JFloat +Common_Security_Club +OpenCoopt +Scale_Invariance +Derek_Jacoby_on_Biohackerspaces +Transaction-based_Scrip +Hybrid_Vigor_Projects +Friend_of_a_Friend +Olimpi(c)Leaks +Festival_Latinoamericano_de_Instalaci%C3%B3n_de_Software_Libre,_El_Salvador/es +Cyberhenge +Indie_Crafts_Movement +National_Public_Internet +La_Crise_Fiduciaire_des_Medias_de_Masse +Lawrence_on_the_Need_for_Open_Politics +Neovenetianism +Il_Manifesto_Interview_English_version +Ezio_Manzino_on_Grassroots_Efforts_for_Sustainable_Design +Seven_Propositions_for_the_Future_of_the_Social_Web +MIME +Open_Source_Commercialization +Starting_a_Community_Space +Collaborative_Research_in_e-Science_and_Open_Access_to_Information +MJ_Ray_on_the_Free_Software_Coop_Experience_in_the_UK +CopyCat +Mission_Critical_Functionality +Failed_Metaphysics_Behind_Private_Property +Imputed_Rent +Piratbyran +Medpedia +Ellen_MacArthur_on_the_Progress_of_the_Circular_Economy_in_the_Netherlands +Mociology +Shanzhai +Great_Lakes_Social_Charter +Future_of_the_Common +Peak_Armaments +FoodWeb_2020 +Narrative_on_Discovering_the_Peer_Trust_Network_System +Understanding_Privacy +P2P_Gaming +Open_Source_Game_Development +Slow_Capitalism +Restricted_Devices +Robert_Searle +Robert_Paterson_on_the_Emergence_of_Four_Major_Techno-Economic_Paradigms +Pwdr +Searls,_Doc +Purpose-Driven_Business +Maker_Cities +RIPE +Externality_of_Relations +Programmatic_Data_Aggregation +Computing_Regime +David_Marty_on_the_Spanish_Assemblies_Movement +Libre_Acces_aux_Savoirs +Joris_Claeys +Open_Use +Cur%C4%93us +Allen_White_on_the_Vision_for_Corporate_Redesign_for_Social_Purpose +Sister_Judith_Zoebelein_on_the_Virtual,_the_Actual,_and_the_Spiritual +Micropower_Council +Zubizarreta,_Rosa +Howard_Rheingold_on_Making_Stuff_in_Second_Life +Ecological_Civilization,_Indigenous_Culture,_and_Rural_Reconstruction_in_China +Open_Source_Sex +Vinay_Gupta_and_Andrew_Lamb_on_the_Appropedia_Approach +Microtask_Platforms +16_Social_Features_at_Amazon +Self-Service_1.0 +Strike_Debt +Marco_Fioretti_on_Immigrant_Usage_of_Internet +DIY_Craft_Movement +Local_Political_Information_in_the_Internet_Era +Massimo_Banzi_on_Arduino +Ideosphere +Christopher_Gervais +Cave_Co-operative +IETF +Open_Innovation_Communities +Borrowing_Shops +Community_Innovators_Lab +Generic_Drugs +Social_Structures_of_Accumulation +Citizen_Owned_Internet +Housing_Coops +OneVillage_Foundation +What_Would_Google_Do +Governance,_Politics_and_Plural_Perceptions +How_Copyright_Caused_the_19th_Cy._UK_To_Lose_Its_Industrial_Innovation_Edge_To_Germany +Free_Goods_as_Civilization_Building +Feel_Good +Financial_Autonomous_Zone +Leaderless_Organizations +Little_Devices_@_MIT +Global_Network_of_Interdisciplinary_Internet_and_Society_Research_Centers +Broadband_for_the_Rural_North +Andrew_Whelan_on_P2P%27s_Impact_on_the_Music_Industry +Notes_on_Networks_and_Anti-Globalization_Social_Movements +Brian_Van_Slyke +John_Perry_Barlow_on_the_Global_Right_to_Know +Center_for_the_Theater_Commons +PARECON +Earthocracy +Peer-based_Compensation +Johan_Bollen_on_Modeling_Collective_Mood_States_from_Large-Scale_Social_Media_Data +Metadesign +Scotland%27s_Renewable_Energy_Policy +Free_Culture_as_People_Wanting_To_Be_Free +Open_Source_Integrated_Circuits +Transformation_Function +Faroo +Multi-local_Society +Joachim_Lohkamp +Time_and_Temporality_in_the_Network_Society +Sascha_Meinrath_on_Spectrum_2.0 +Ogg_Vorbis +Manage_My_Stuff_Communities +New_Zealand +Si_la_Ville_anticipait_l%E2%80%99%C3%A9mergence_d%E2%80%99une_%C3%A9conomie_peer-to-peer +Kill_Decisions +Urban_Cellphone-Based_Supercomputers +Twitchhiking +Green_Fundraising +Intermodal_Shared_Mobility_and_the_Future_of_Transport +Collaboration_Tool +Michel_Bauwens_and_Sam_Rose_on_the_Choke_Point_Project +Earthsharing +CP_Tech +Freebase +Bio_and_Hardware_Hacking +Yves_B%C3%A9har +Open_Translation_Tools +James_Peyer_on_Open_Hardware_PCR +Bill_St._Claire_on_the_Truledger_Anonymous_Digitally_Signed_General_Ledger_and_Trading_System +Open_Music +Systems_Being +Working_with_our_Cultural_Values +George_Lakoff_on_Framing_the_Debate +Intermediate_Technology +Electronic_Handicrafts +Cultivate_Coop +Composability +Malaysia +I2P +OER_Repositories +Models_of_Software_Development +Contested_Transparencies +Nordic_Open_Education_Alliance +P2p_Research_Forum +International_Coliving_Network +Being_and_Technology +Economy_of_Scope +Contribution +Multi_Dimensional_Science +Global_Village +Producia +From_Abstract_Labour_to_Doing +Free_Culture_Research_Conference +Todd_Main_on_Effective_Lobbying_For_Open_Source +Intermediate_Ownership +John_Wilbanks_on_Sharing_the_Physical_Tools_of_Science +Leetocracy +Social_Networks_and_Internet_Connectivity_Effects +Manchester_Manifesto +Open_Photo +Mobile_Giving +Lih,_Andrew +Public_Voice +Nature_for_Sale +Captcha +Libre_Bus/es +Data_Property_Rights +BioBricks_Foundation +Presence_and_the_Design_of_Trust +Free_School_Movement +Personalized_Travel_Guides +Typology_of_Collaborative_Workspaces +Urbanized +Pre-Pay_Methods_of_Financing +Knowledge_as_a_Global_Public_Good +MediaLab_Prado +Tim_Wu_on_the_Master_Switch +Peer_to_Peer_Systems +Self-Provisioning +Bio_Me +Rachel_Botsman_on_Collaborative_Consumption +Gift_Commodity_Internet_Economy +Eben_Moglen_on_Document_Licenses_and_GPL3 +Prototyping_Toolkits +Online_Giving_Marketplace +UTest +Where_is_the_Wealth_of_Nations +Internet_TV_Tuner +Rise_of_Communitarianism_and_other_Alternative_Movements_from_the_Athenian_Crises +How_Can_Crypto-Money_Become_a_Money_of_the_Commons +Paradise_Built_in_Hell +Why_People_Are_Joining_Common_Security_Clubs +Soil_and_Soul +Civil_Corporation +Tom_Steinberg_on_the_mySociety_Project_in_the_UK +Wikimedia_M%C3%A9xico/es +Conscious_Capitalism +Axiological_Economics +Mathilde_Berchon +WebP2P +Oil_from_Algae_Open_Source +Carl-Christian_Buhr_on_the_EU_Digital_Agenda_and_Open_Data +Funding_for_Sharing_Economy_Startups +WireShark +-_Podcasting +Rediscovering_the_Non-Monetarised_Economy +Wireless_Community_Networks_by_Region +Local_Investing_Opportunities_Network +GDP_Illusion +Metadata_Standard_for_Online_Video +Slumcode +Geo_Server +Global_Commons_Institute +Richard_Werner_on_How_Banks_Create_Credit_and_Money +Collaborative_Chats +Productive_Democracy +Vasilis_Kostakis +Snowdrift +Social_Venturing +Matt_Grantham +Semantic_Web_for_Science +David_MacBryde +Towards_Integrated_Local_Sustainable_Energy_Solutions_for_Neighborhoods +Textbook_Rentals +Open_Context +We_Are_the_1_Percent +James_Boyle_on_the_Endangered_Public_Domain +Campus_Libre_y_Abierto_(CALA)/es +Wikimania_2006 +Goods_Commons +Andrew_Lih_on_Wikimania_2006 +Polisdigitocracy +Renewable_Energy_Cannot_Sustain_A_Consumer_Society +Role_of_Cooperatives_in_Societal_Transition +Talis_Community_License +Hacker_Space +Traditions_of_Public_Property_in_the_Information_Age +Commons_Based_Business +Simon_Michaux_on_the_Implications_of_Peak_Mining +Open_Source_Self_Buildable_Airplane +Product-Service_System +Monetary_Scarcity +A_Revolution_in_the_Making_(Nutshell) +Moving_Beyond_Gene_Patents +Rooftop_Solar +Holger_Lauinger +Ronaldo_Lemos_on_Cultural_Commons_in_Developing_Countries +Cooperative_Research_Centers +Quality_Commons +Charles_Leadbeater_on_the_Rise_of_the_Amateur_Professional +Identity_Verification_and_Management +Susanne_B%C3%B8dker_on_Participatory_Design_Meets_Municipal_Services +Bernardo_Huberman_on_Social_Attention +Indie_WebCamp +Commercial_Purpose_Currencies +Open_Money_License +Community-Oriented_Skillsharing_Sites +From_Fredrik_%C3%85slund_on_the_Evolution_from_Do-it-Yourself_to_Do-it-Together +Three_Strategies_for_Achieving_Open_Government +Pat_Mooney_on_Nanotechnology_and_the_Enclosure_of_the_Chemical_Elements +Lee_Worden +Rick_Wolff_on_the_History_and_Future_of_Workplace_Democracy +General_Public_Law +Ten_Guidelines_for_the_Commons +Emma_Peng_Chien_on_Integration_between_Philosophy_and_Science +Chris_Anderson_on_the_Democratization_of_Manufacturing +Social_Design_Lab_for_Urban_Agriculture +Here_Comes_Everybody +Crowd_Wisdom_Principles +Growing_Power_of_Virtual_Social_Networks +Social_Network_Site +Collaborative_Fund +Open_Source_Agroecology +Factories_of_Knowledge +Situation +2.3_Economics_of_Information_Production_(Details) +Sunil_Abraham_on_Free_Software_for_Nonprofits +Li-Fi +Laboratory_for_the_Subsidiarity +Self-Replicating_Machines +Autopoiesis +-_Panarchy +Catalan_Integral_Cooperative +P2P_Technology_Meme_Map +P2P_Property_Management_Network +Creative_Networks_in_Eastern_Europe +Property_Taskforce +Neal_Gorenflo_on_Why_No_One_Will_Buy_Tourism_in_the_Future +Tom_Haskins_on_the_Full_Spectrum_of_Connection_Work +Open_Fon_Platform +Reputation_Tags +Global_Impact_50_Index +Petersburg_Street_University +Communal_Trust +Bitcoin_Startups +Cosmopolitics +P2P_Practitioners +Mutual_Building_Societies +From_Ego-System_to_Eco-System_Economies +PeerSource +Peer-to-Peer_Collaboration_and_Networked_Learning +Climate_CoLab +Roberta_Lentz +Open_Prosthetics_Project +2nd_Global_Coworking_Survey +DNA +Microfinance,_P2P,_and_the_Internet +CarNearUs +Overmundo_-_BR +Rethinking_Property_Exchange_Platform_Conference_Overview +Material_Footprint_of_Nations +Open_Innovation_Accelerators +Athens_Wireless_Metropolitan_Network +Free_and_Open_Source_Game_Development +Peer_Producers +Eudaimonic_Finance +Resources:_items_that_show_what_the_contents_of_the_course_outline_are +Tim_Hubbard_and_Drew_Endy_on_the_Human_Genome_Project_and_Synthetic_Biology +Attention_Architecture +Seikatsu_Cooperatives +Open_Source_Facebook_Developers +Masqueunacasa/ca +Combining_Citizen_Science_and_Public_Engagement +Participatory_Inquiry +Ethnography_of_Online_Social_Networking +Second_Enclosure_Movement,_Copyright,_Trademarks_and_Patents +Sustainable_Public_Media_Infrastructure +New_Z-Land_Project +Networked_Innovation_Initiatives +Tor +Occupy_the_Airwaves +CivicSurf +Community_Peer_to_Peer_Telephony_Platform +Projections_on_the_Future_of_Money +Cooperatives_Europe +Beckstrom%27s_Law +Television_Futures_Panel +OpenSimulator +Claudia_Bernardi_on_Edu-Factory +Cook_Report_on_Internet_Protocol +Free_Network_Project +Free_Our_Books +Pre-Capitalist_Modes_of_Production +Organic_Farm_Volunteering +101_Reasons_Why_I%27m_an_Unschooler +Metacycle +Distributed_Leadership_for_Interconnected_Worlds +Open_Source_Leadership +Free_Roleplay +Wittel,_Andreas +Howard_Rheingold_on_How_Technology_is_Changing_Human_Behaviour +Open_Implementation +Connectivism_and_the_Networked_Student +Knowledge_Conservancy +Governance_Networks +Productive_Negation +Creative_Resistance_Fund +Carbon_Omissions +WikiWorlds +Dark_Mountain_Project +CO-LLABS +HackXCO/es +Constituent_Assembly_of_the_Commons +Open_Culture_and_the_Nature_of_Networks +Calabash_Music +Gift_Circle +Open_Educational_Resources +FlashMobs +Car_Sharing +Open_HR +Cooperative_Innovation_at_Aventis +Globethics +True_Cost_Pricing +/www.mediawiki.org/ +Michel_Bauwens_Folha_Interview +Interaction_Models +Asset-Based_Egalitarianism +Radical_Connection +Open_Sailing +David_Ellerman_on_the_Ethics_of_Human_Rentals +Hunter-Gatherer_Society +Dan_O%E2%80%99Neill_on_What_Is_a_Steady_State_Economy +Fair_Reciprocity +Cyber_Anthropology +Economic_Inevitability_of_Openness +Zumbara +Wikileaks_and_the_Battle_Over_the_Soul_of_the_Networked_Fourth_EstateI +Techolab +Building_a_Whole_Earth_Economy_through_Right_Relationship +Community_Property_Trust +Michel_Bauwens_on_Open_Business_Models +Task_Partitioning +People-Produced_Money +National_Center_for_Open_Source_and_Education +Eruv +Franz_Nahrada +Asynchronous_Collaborative_Music_Recording +Relocalization_Network +Audience-Sourcing +Sustainability_as_Complexity_without_Growth +Audience-sourcing +Howard_Rheingold_on_the_History_and_Future_of_Cooperation +Design-Led_Open_Source +Free_Agroecology_in_Brazil +Open_Tape +Copyright_Criminals +Sign_Relation +Produserism +Intro_Templates +Douglas_Rushkoff_on_the_Real_vs._the_Speculative_Economy +Philipp_Degens +Michael_Pollan_on_Sustainable_Food +Open_Source_Company_Policies +Neotraditional_Economics +Public_Education_as_a_Commons +Rally_Fighter +Abolish_Human_Rentals +Possession,_Power_and_the_New_Age +Linux_in_Education_Portal +Authority +Rey_Junco_on_Twitter_in_the_College_Classroom +Amoeba_Organization +Open_Access_Emergency_Medicine +Occupy_Wall_Street_and_the_99_Percent_Movement +OpenCyc +Hidden_Transcripts +Ben_Peters_on_Why_the_Soviet_Internet_Failed +Gleaning_Social_Networks +Obama_Technology,_Innovation_and_Government_Transition_Team +Latin-American_Community_on_Learning_Objects +Lawrence_Lessig_on_Architecting_Innovation +Web_Presentation_Tools +What_Do_College_Students_Do_Online +Towards_Collaborative_Community +John_Heron_on_facilitation_and_the_revolution_in_learning +Social_Accounting +Pesce,_Mark +Medecine_2.0 +Renewables_Grid_Initative +P2P_Networks_and_Processes +GEDA_Project +Steal_This_Film_2_Video_Footage +Open_Public_Data +Vilfredo +Global_Villegiatura +Ethelo_Decison_Making_Engine +Merce_Crosas_Open_Big_Data +Jamie_Drummond_on_Crowdsourcing_the_Millenium_Goals +De-Monetization +Dan_Ackerman_Greenberg_on_Viral_Video_Marketing +Local_Money_in_the_U.S._during_the_Great_Depression +Mitigating_Anticommons_Harms_to_Science_and_Technology_Research +Open_Dinosaur_Project +Distributed_Transient_Network +Land_Ethics +Craftsman +LaTele_-_Catalonia,_Spain +How_Renewables_Will_Change_Electricity_Markets +Monetary_Reform_-_Making_it_Happen +Libertarian_Class_Theory +Commons-Based_Production_Infrastructure +Een_rondje_proeftuinen_waar_wordt_P2P_inmiddels_gebruikt +Relation_theory +-_Cognitive_Capitalism +Community_Currencies_in_Action +Collaborative_Technology +VPRO_Backlight +Commons_Beyond_Market_and_State +Digital_Nexus_of_Post-Automobility +RIPA +Ethical_Surplus +Coordination_Costs +Global_Initiative_on_Sharing_Avian_Influenza_Data +PaG +Aurore_Lalucq +Wagemark_Labor_Standard +High_Performance_Software_Defined_Radio +Publication_Fees_in_Open_Access_Publishing +Step-Level_Public_Goods +Chad_Emerson_on_the_SmartCode_Solution_to_Sprawl +P2P_Telephony +OWS_Currency_Competition +Underground_Free_University +Ambient_Commons +Empirical_Study_of_SourceForge_Projects +Grid-Group_Theory +Civil_Innovation_Lab +Sharing_Economy_as_a_Way_Out_of_the_Crisis +SF72 +Citizendium +Food_as_a_Commons +Web_Didn%27t_Deliver_High_Economic_Growth +Open_Pixel_Films +Player_Generated_Content_%E2%80%93_End-User_Licence_Agreements +In_the_Beginning_..._Creativity +Aur%C3%A9lie_Ghalim +ABC_of_Commons_Economics +FlowingMail +2.3.A._Placing_P2P_in_the_context_of_the_evolution_of_technology +Redfields_to_Greenfields_Inititiatives +Open_Madrid +Commons_Culture_Communication +Solar_Commons +Infolib%C3%A9ralisme +Awakening_the_Power_of_Families_and_Neighborhoods +Urban_Homesteading +BeagleBoard +Maurizio_Lazzarato +Internet_and_Surveillance +Interviews_on_Monetary_Transformation +MOOC_Certificates +Cory_Doctorow +Software_Studies +OKCon_2011_Panel_on_Open_Hardware_and_Open_Standards +Siefkes,_Christian +Pirate_University +Celebrity,_Publicity,_and_Self-Branding_in_Web_2.0 +On_the_Differences_between_Open_Source_and_Open_Culture +Priscilla_Grim_on_Organizing_Occupy +Systems_Thinking +Jeri_Ellsworth_on_Problems_with_the_Flat_Management_at_Valve +Markets_without_Capitalism +Long-Term_Thinking_Seminars +Hubbert_Curve +Central_Open_Access_Funds +Bad_title +Marvin_Brown +Wiki_for_Work +Self-Replicating_Rapid_Prototyper +Reflection_on_Collectivist_and_Individualist_Societies +En-gendered +Teatro_Valle_Occupato +Epistemologie_Participative +Immanuel_Wallerstein_on_Going_Beyond_the_State_as_Unit_of_Analysis +SRISTI_Honey_Bee_Database +Politics_of_the_Libre_Commons +Open_Source_Beehives_Project +ALL_Power_Labs +Culturaeduca +Online_Sociability_and_the_Politics_of_Care +Peer_to_Peer_Distribution_Grids +Food-Backed_Local_Currency +Online_Multi-Level_Marketing +Harnessing_Crowds +Positive_Money_on_Why_Do_Banks_Make_So_Much_Money +Reciprocity,_Altruism_and_the_Civil_Society +Quilligan_Seminars_on_the_Emergence_of_a_Commons-based_Economy +Office_Sharing +Imagining_a_Traditional_Knowledge_Commons +Community_Knowledge_Workers +Do-It-Yourself_Biology_and_the_Rise_of_Citizen_Biotech-Economies +Rewards_for_Contributions +Money_as_a_Commons +Sara_Horowitz_on_the_Freelancers_Union +Berlin_as_the_Capital_of_the_Social_Share_Economy +Distributed_Hash_Table +Facebook +Retail_Cooperatives_for_Minipreneurs +Marc-David_Choukroun_on_Food_Communities +Internet_Governance_for_Dummies +Logic_Live +Closure_Engineering +World_Wide_Web +SpotScout +Vision_of_Students_Today +Product_Discounts +Simon_Edhouse +Zoe_Romano_on_Open_Source_Fashion +Decroissance +Worldbike +Charles_Eisenstein_on_Living_in_the_Gift_and_the_Money_Economy +Vested_Commons +Self-Determined_Pricing +Neil_Gershenfeld_on_the_need_for_a_new_digital_maker_literacy +Pro-Am_Revolution +Economic_aspects_of_Free_Software +Tech-Coop +Collaborative_production_in_the_material_and_digital_world +P2P_Foundation_Global_Network +Commons_and_Cooperatives +Politics_2.0 +Big_Society +Participatory_Narrative_Inquiry +Marie_Mazalto +Genetically_Modified_Grassroots_Organizations +Government_Support_for_Coworking +Panspectric_Surveillance +Super_Publics +Governance_of_Volunteer-Driven_Open_Resource_Communities +PICOL +Henry_Jenkings_on_Why_New_Media_Literacy_Matters +Finding_Open_Educational_Resources +Cclite +Mejias,_Ulises +OpenWear +Anagorism +How_the_Law_Is_Used_To_Stifle_the_Sharing_Economy +Energy_Collective +Open_Sustainability_Working_Group +Open_Fair_Credit_Standard +Payer_Owned +Quebec_Social_Economy +P2P_Companion_Concepts +Popular_Assembly +Occupy_Education +Artivism +Exploring_the_Emerging_Impacts_of_Open_Data_in_Developing_Countries +Comunes/es +Center_for_the_Study_of_Democratic_Societies +Efficient_Community_Hypothesis +Patentleft +Communities_vs_Audiences +Open_Learning_Network +PortoAlegre_CC +Technology_Liberation_Front +Mark_Whitaker +Berlin_Commons_Conference/Final_Plenary +Open_Movement +Documentary_on_Cradle_to_Cradle_Design +Cloud_Data_Freedom +CSAIL._Marvin_Minsky._Emotion_Machine +Reasoned_Localization_and_Selective_Deglobalization +Towards_a_Commons-Compatible_Cultural_Economy_in_the_European_Union +Steady_State_Economy +Creditary_Economics +Impact_of_Crowdfunding_on_Journalism +Autonomous_Roadless_Intelligent_Array +Barca_dols_Livros +Unplugged_Lifestyle +4.1.C._Peer_Governance_as_a_third_mode_of_governance +2._Bibliography_of_the_Manuscript +Howard_Rheingold_Introduces_Cooperation_Studies +Manuel_Castells_on_Identity_and_Change_in_the_Network_Society +Equity-Linked_Affinity_Network +Open_Source_Energy_Monitoring_Systems +Reevo +Product-Centered_local_economy_vs_People-Centered_local_economy +Triadic_Relation +Whither_Command_of_the_Commons +Open_Source_Schools_-_UK +IOSA_-_Open_Archeology +Josh_Lerner_on_Public_Policies_for_Open_Source_and_Comingled_Code +PlantVillage +War_2.0 +Digital_Fabrications +Art_is_Open_Source +Jason_Fried_on_Collaboration_and_Productivity +Mutual_for_the_Self-Employed_for_Underpinning_Local_Economies_Across_Britain +Indie_Business +CCRU +Ellen_Brown_on_the_Web_of_Debt +Global_Processing_Unit +Free_Software_Art +ECC2013/Knowledge_Stream/Resources +Desktop_Nanofactories +Communal_Systems_in_Central_and_South_America +Wine_Hacking +FLOSS_POLS +Non-Profit_Organizations_and_the_Intellectual_Commons +USBIG +Access_to_Knowledge_in_the_Age_of_Intellectual_Property +Jeff_Vail +Thai2 +Digital_Inclusion +Notes_Sharing +Polycentric_Law +Community_Sufficiency_Technologies +Nightweb +Peer_to_Peer_People-Based_Credit_Through_Guarantee_Society_Agreements +Scale-Free_Energy_Policy +Artificial_Scarcity +Yadis +Open_Source_Garbage_Reminder_Service +Fred_Harrison +DIYLILCNC +Telex +World_Future_Council +Differential_Logic +Neotechnic +GNU_Project +Innovation_Toolkits +Open_Guides +Direct_to_Garment_Printing +OpenID_Screencast +Lex_Publica +Silke_Meyer_on_Trust_Building_at_Key_Signing_Parties +SPREAD_Sustainable_Lifestyles_2050 +Tindie +Accountability_Communities +Cultural_Anthropology_of_the_Occupy_Movement +People_Who_Share +Feral_Trade_Courier +Open_Buildings +Make_Magazine +Live_Clipboard +Wikimedia_Espa%C3%B1a/es +CEO_Guide_To_Making_Prototypes_for_3D_Printing +DataPortability_Project +Dave_Rand_on_Taking_Social_Science_onto_the_Internet +TBEx +Time_Banking +Egalitarian_Collectivism +Personal_Circle +Cooperative_Capital +Wireless_Mesh_Networks +Mozilla%27s_Mitchell_Baker_on_Open-Source_Innovation +Deflationary_Effects_of_the_Web_Economy +Bricoleur +Economies_of_Scale +Open_Source_Clean_Technology_Initiative +God_is_What_Happens_When_Humanity_is_Connected +Digital_Manufacturing_Ecosystem +Trust_vs._Sanctions_in_Digital_Communities +Free_Coworking_Directory +Total_Economy +From_Ego-system_to_Eco-system_Economies +Christophe_Vaillant +Mapufacture +Tree_of_Life +Goldcrest_Standard +Transnational_Class +Jason_King_and_Charles_Hoskinson_on_Post-Bitcoin_Futures +Open_Mustard_Seed +Nonprofit_Foundations_in_Open_Source_Governance +What_is_Co-Creation +Internet_Education_Foundation +Wikis_for_Business +Occupy_Data +Douglas,_Erik +Shaping_Global_Economic_Governance_through_Transnational_Communities +Some_Myths_About_Intellectual_Property +Society_Breakthrough +User-Driven +Topsham_Ales_Community_Supported_Brewery +Cloud_of_Solutions +Abuse_of_Open_Licenses +XIS._Xarxa_Intercanvi_Sabadell/ca +Verizon_Customer_Service_Volunteers +Eric_Harris-Braun_on_Open_Rules_Currencies +Content-driven_Reputation +Hidden_Physical_Infrastructure_of_the_Internet +Center_for_Open_Science +Villages_Cooperative_Community +Voices_of_Cohousing +Tim_O%27Reilly_on_Open_Publishing +DIY_Fractional +Creative_Commons_and_Contemporary_Copyright +Peace_Economics +Solidarity_for_All_-_Greece +Rose_Goslinga_on_Farmer_Micro-Insurance +Attentional_Capital_and_the_Ecology_of_Online_Social_Networks +Ellen_Brown_Occupy_LA_Teach_In_on_Money_and_Banking +Centre_for_Digital_Inclusion +Edge_Platforms +Crashpadder +Case_for_Human_Unity +Mapping_and_Measuring_Cybercrime +Mekong_ICT +BBC_Horizon_Documentation_on_the_Mondragon_Experiment +Intentional_Data +Soul_of_Web_2.0 +Share_The_World%27s_Resources +Cartographie_de_l%27Identite_Numerique +Open_Source_Wind_Turbine_Designs +Rise_of_China_and_the_Demise_of_the_Capitalist_World-Economy +James_Meese +Robert_Fuller_on_Dignitarianism +Mobile_Crisis_Mapping +Panel_Open_Innovation_for_Government +Effrosyni_Koutsouti +Cybernetic_Self-Management +Michel_Bauwens_on_P2P_Production_and_the_Coming_of_the_Commons +Interest_Graph +London_Datastore +Tiberius_Brastaviceanu +Carl_Etnier_on_Neighbor_to_Neighbor_Skill_Sharing +P2P_Governance,_Politics,_Social_Movements +P2P_Foundation_Wiki_Project_Leadership +Fusing_Media_Technology_with_the_Spiritual_Dimension_of_Human_Culture +Media_Virus +Disintermediation +Green_WiFi +Co-Credit +Eric_Meyer_on_Scholarship_in_the_Digital_Age +Turkopticon +Milton_Mueller_on_Internet_Governance +Open_Source_Avionics +Backyard_Brains +One_Click_Orgs +Josep_Mar%C3%ADa_Antentas_on_the_Effect_and_Importance_of_the_Spanish_15M_Movement +Hackable_Solar_Electric_Car +General_Public_Licence_for_Plant_Germplasm +User-Filtered_Content +Marc_Smith_on_the_Social_Graph_and_Social_Accounting_Metadata +Forum_da_Transpar%C3%AAncia_-_BR +Marc_Dusselier +Open_Access_Publishing_-_Statistics +Stephen_Marglin_on_the_Individualist_Assumptions_of_Economics +Medical_Search_Tools +ASAP_Island +Paul_Hawken +Free_Internet +Vandana_Shiva_on_Why_Nature_Has_Rights +3.4_Placing_P2P_in_an_intersubjective_typology +Demutualization +Open_Embedded +Fonseca,_Felipe +General_Systems_Theory%27s_Hierarchy_of_Complexity +Media_2.0 +Open_Pario +BookMooch +Economy_of_Scale +Free_Textbooks +Software_Forge +Great_Lakes_Commons_Map +Alex_Wied_on_Regional_Looms_and_Digital_Online_Asset_Trading_Systems +Culture_and_the_Economy_in_the_Internet_Age +Association_for_the_Creation_of_Open_Culture_and_Workshop_Houses_-_Austria +Salvino_Salvaggio_Daily_Espresso_-_Qatar +Main_Page +Spiritual_Projection +State-Directed_Economy +Forking_the_Internet +Paul_Lewis_on_Crowdsourcing_the_News +OPML +Life_Maintainance_Organisations +Lawrence_Lessig_on_How_Copyright_Hurts_Science +Economy_of_Crisis_Capitalism_and_Ecology_of_the_Commons +Open_Source_Judaism +Colectivo_Acci%C3%B3n_Hormiga/es +Open_Wind +Paramedia +Rhizomatic_Education +Age_of_Connection +This_Week_in_Participation +Binary_Economics +Ricardo_Amaste +Lindisfarne_Tapes_from_the_Seventies_on_Decentralising_Culture_and_Economics +Wind_Power +Reinventors +Open_Robotics_Automation_Virtual_Environment +Magic_Cauldron +Commons_Network_Coalition +Open_OODA +Two-sided_Networks +Open_Innovation_in_the_Creative_Industries +Hungarian-Language +Joost_gaat_Endemol-programmas_uitzenden +Open_Source_Satellite_Monitoring +YProductions_on_Companies_of_the_Commons +One_Laptop_Per_Hacker +Jaume_Barcelo +Neo-Hardinians +Bill_Thompson_on_Citizen_Journalism +Desktop_CNC_Routing_and_Milling_Machines +Swarm_Foundation +Berlin_Commons_Conference/Workshops/Rao +Seed_Library +Protect_the_Sacred +Maine_Lobster_Commons +Localism_and_the_Information_Society +World-Citizen_Panels +Association_For_Free_Software_-_UK +Digital_Ecologies +Global_Profit_Tax +DIYbio +Maria_Bareli +Open_Source_Unmanned_Aerial_System +ECC2013/Website +Commons_Knowledge_Alliance +Open_Corporates +Ethan_Zuckerman_and_Nart_Villeneuve_on_Internet_Security_for_Activists +Positive_Intellectual_Rights_and_Information_Exchanges +Health +What_Might_Explain_the_Timing_of_the_Uptake_of_Technologies +Virtual_Community +Dreaming_Code +Scientific_Commons +Table_of_Contents_(Details) +Center_for_Communal_Studies +P2P_Trifecta +Community_directory +%D0%AD%D0%BA%D1%81%D0%BF%D0%B5%D1%80%D1%82:_%D0%A0%D0%BE%D1%81%D1%81%D0%B8%D1%8F_%D0%B8_%D1%81%D0%BB%D0%B5%D0%B4%D1%83%D1%8E%D1%89%D0%B0%D1%8F_%D0%B4%D0%BE%D0%BB%D0%B3%D0%B0%D1%8F_%D0%B2%D0%BE%D0%BB%D0%BD%D0%B0,_%D0%B8%D0%BB%D0%B8_%D0%BF%D0%BE%D1%87%D0%B5%D0%BC%D1%83_%D1%82%D0%B0%D0%BA_%D0%B2%D0%B0%D0%B6%D0%BD%D1%8B_%D1%81%D0%B5%D0%BB%D1%8C%D1%81%D0%BA%D0%B8%D0%B5_%D1%82%D0%B5%D1%80%D1%80%D0%B8%D1%82%D0%BE%D1%80%D0%B8%D0%B8 +Michel_Bauwens_on_the_Commons_and_the_P2P_Paradigm +Open_Cooperative_Web_Framework +Green_Crowd +Complementary_Currency_Open_Source_Software_in_2010 +Gabriel_Mugar +Abolishing_Education_and_Liberating_Creation +Microfactoria_Blog +From_Self-Service_1.0_to_Self-Service_2.0 +Jonathan_Band_on_International_IP_Lawmaking +European_Association_for_Public_Domain +Long_Tail_Alliance +Autopoetic_Systems +Beyond_Socialism +Chris_Lawer_on_Co-Creation_in_Business +Information_Traffic_Patterns +Wi-Fi_Direct +Paul_Gardner-Stephen_on_Mesh_Networks_in_Authoritarian_Regimes +Military_Open_Source_Software +Energy_Internet +Sustainable_Financial_Markets_as_a_Global_Commons +Consensus +Entitativity +Irrepressible +Energy4All +Canadian_Research_Alliance_for_Community_Innovation_and_Networking +Association_of_World_Citizens +Joren_De_Wachter_on_How_IP_Creates_Thought_Crimes +Microcrowds +Interview_with_Steve_Bratt_on_W3C +Great_Redistribution +Social_Stack +%CE%A4%CE%BF_%CE%9C%CE%B1%CE%BD%CE%B9%CF%86%CE%AD%CF%83%CF%84%CE%BF_%CF%84%CF%89%CE%BD_%CE%9B%CE%BF%CF%85%CE%BB%CE%BF%CF%85%CE%B4%CE%B9%CF%8E%CE%BD_%CE%BA%CE%B1%CE%B9_%CF%84%CF%89%CE%BD_%CE%A7%CF%81%CF%89%CE%BC%CE%AC%CF%84%CF%89%CE%BD +Monetary_Governance_in_a_World_of_Regional_Currencies +My_Arms_Wide_Open_Community_Business_Model +Global_Politics_of_Internet_Governance +Darwin_and_the_Battle_for_21st_Century_Mind +EXtensible_Pattern_Format_Language +Judith_Donath_on_Identity_and_Anonymity_on_the_Wiki +User_Filtered_Content +User_Innovation +Gung_Ho_Producer_Cooperatives_in_China +Linda_Stone_on_Continuous_Partial_Attention +Should_Ownership_Last_Forever +Doc_Searls_on_Free_and_Open_Source_in_Education +Data_Gov_US +Seven_Characteristics_of_a_Global-Commons_Approach_to_Sustainable_Development +BSD_License +Internet_Archive_Audio_Archive +Apafunk_-_BR +Participatory_Medicine +Urbal_Fix +Crowdfunding-Based_Project_Support +P2P_and_Distributism +Videora +The_End_of_Leadership +Open_Source_Political_Campaign +How_Green_Capitalism_Differs_from_Distributed_P2P_Energy_Projects +How_the_Catholic_Church_Build_Western_Civilization +John_Robb_on_Building_Resilient_Communities +SciComp_Homebrew_Club +International_Commons_Conference +P2P +Stakeholder_Trust +Ca_la_fou/es +David_Ewing_Duncan_on_Personal_Genomics +Self-Determined_Transactions +Common_Thread +Hacia_la_estaci%C3%B3n_de_Finlandia,_una_revisi%C3%B3n_del_siglo_XXI +Hacktivism +Jun_Liu_on_Rumor_as_Resistance_in_China +P2P_Foundation_Blog_Maintenance/Categories_cleaning +To_the_Finland_Station +Effortless_Economy_Institute +Documenting_Open_Knowledge_Around_the_World +Christa_M%C3%BCller +Learning_Objects +Peer-to-Peer_Water_Networks +Governmental_Origin_of_Money +EduCommons +Money +Sustaining_the_Commons +Franz_Nahrada_on_Videobridging_for_Virtual_Village_Universities +Learning_Journey_into_Communities_Daring_to_Live_the_Future_Now +Community_Broadband +Occupy_Has_Generated_a_Multitude_of_Activist_Networks +Bitcoin_Card +Spiti +Terms_of_Service_Tracker +David_Weinberger_on_a_Hyperlinked_World +Bill_Veltrop_on_Infinite_Games_for_New_Social_Infrastructures +Cubo_Card +Philip_Steffan_on_Personal_Fabrication +Ethical_Hacking,_Big_Data_and_the_Crowd +Ideazoka +Digital_Humanitarianism +Swarm_Economy +Human_Microphone_System +Holarchy +Alan_Moore_on_the_Faltering_Mainstream_Economy_and_the_Emerging_New_Economy +Shared_Structured_Content_Servers +Google_Scholar +Hack_the_State +Open_Source_Arduino_Sun +WiMAX +IWar +Distributed_Action +Text_Occupy +Three_Critiques_of_the_Digital_Commons +Debatepedia +Von_Hippel,_Eric +Capitalism,_Climate_Change_and_the_Transition_to_Sustainability +Libre_Planet +Massimo_Banzi_on_How_Arduino_Is_Open-Sourcing_the_Imagination +Harnessing_the_Collective_Intelligence_of_the_Web +Samuel_Rose +State_of_Grace_Document +2.1.D._P2P_as_a_global_platform_for_autonomous_cooperation +Right_to_Create +Open_BSC +Amazonfail +Docummunity +Open_Text_Book +Marx_and_the_Commons +Amateur_Cultural_Production_and_Peer-to-Peer_Learning +Is_Bandwidth_Infinite%3F +Beyond_Civilization_-_The_New_Tribalism +Ultimaker +Commons-Based_Model_for_Energy_Production +Argentine_Worker_Cooperatives_in_Civil_Society +Entrepreneurial_Superempowerment +CircleID +World_2.0 +ECC2013/Deep_Dive_Participants +Next_Buddha_Will_Be_A_Collective +End_to_End +Yochai_Benkler_on_Politics_and_Design_After_Selfishness +Digg +Working_Artists_and_the_Greater_Economy +Arthur_Coulter +Savouring_Europe +Mutual_Instructrion +Free_Money +Social_Enterprise_Models_for_Distributed_Energy +Open_Content_and_the_Music_Industry +Internet_Peering +Tom_Dawkins_on_Start_Some_Good_on_Peerfunding +Cross_Collaborate +Kiwi_Model +Global_Guerilla%27s_Advanced_Use_of_the_Internet +Hollow_State +Advertizing_by_the_Masses +Interview_with_Matt_Asay_of_10gen_on_Open_Source_Sustainability +Pirate_Parties_International +Cyber-Anarchism +Anthropological_Introduction_to_P2P +P2P_Book_of_the_Year_2013 +Digital_Manual +Blanket_Licensing_Deals +Social_Atom +Cooperative_Economics +Al_Maoon +Future_of_Media +User-Generated_Content_Panel +Slow_Living +Cross_Sectoral_Commons_Governance_in_Southern_Africa +DesignBreak +Adoption-Led_Market +Policies_for_Shareable_Cities +Alternative_Pathways_in_Science_and_Industry +Open_Culture_Data +Horizontal_Gene_Transfer +Institute_for_Leadership_and_Sustainability_-_Research_Focus +CNC_Mills +James_Quilligan_About_Why_We_Have_to_Occupy_the_Commons +Open_Source_Solar_Steam_Engine +Connected_Environments +Jo%C3%ABl_de_Rosnay_on_Internet_Epigenetics +SwapTree +Patrice_Riemens +Virtual_March +Indymedia_-_Networked_Aspects +Labsus +After_the_Software_Wars +Occupy_and_the_Commons +Libre_Hardware +Estimating_the_Development_Cost_of_Open_Source_Software +Blogjects +Michael_Porter_and_Jane_Nelson_on_Shared_Value +Open_Source_Hardware +Fernhout,_Paul +Community_Currency_Systems_as_a_Co-operative_Option_for_the_Developing_World +Transparency_Corps +New_Global_Revolutions +Burma +Mozilla_Science_Lab +For-Giving +Open_Source_4.0 +Jorge_Machado +Lawrence_Lessig_on_using_Openness_against_the_Corruption_of_Politics +Relational_Reality +Trustmojo +P2P_Yardsale_Engine +Unevenly_Distributed +Future_of_Public_Participation +Greexit_Project_Overview_as_of_22.12.2012 +Drupal_-_Governance +Civil_Society_Politics +Roman_Property_Law +Autonomous_Systems_-_Internet +Adrianne_Jeffries_on_the_Early_Travails_of_Bitcoin +Passion_at_Work_Blogging_Practices_of_Knowledge_Workers +Book_Swapping +Digital_Public_Domain_as_Foundation_for_an_Open_Culture +Promises_to_Keep +Arab_Commons +Social_Movements,_Networks_and_Hierarchies +Free_Currencies_Project +How_a_Bitcoin_Transaction_Works +Jonathan_Zittrain_on_Cloud_Labor_and_Minds_for_Sale +Content_2.0._Podcast +Center_for_Applied_NonViolent_Action_and_Strategies +Gift-Based_Markets +Science_Commons_Protocol +Mathieu_O%27Neil +Wael_Ghonim_on_the_Role_of_the_Internet_in_the_Egyptian_Revolution +Vandana_Shiva_on_Sustainable_Living +Citizen_Assemblies +Kate_Raworth_on_Social_and_Planetary_Boundaries +Value_of_Reciprocity +Hacking_Congress +General_Intellect +Mike_Ramsay_on_Tivo_and_its_origins +Future_of_Copyright +Centre_for_Internet_and_Society_-_India +Introduction_to_Second_Life +Co-Operative_and_Mutual_Forms_of_Ownership_and_Governance_in_the_Design_of_Public_Services +Study_on_the_Economic_Impact_of_Open_Source_software_on_Innovation_and_the_Competitiveness_in_Europe +Andy_Kessler_on_Technology_and_the_End_of_Medicine +ELMCIP +Digital_Plenty_Versus_Natural_Scarcity +Wiki_Translation +Crowdsourced_Problem_Solving +How_Net_Parties_Are_Changing_the_Rules_of_the_Political_Game +Open_Society_Sustainability_Initiative +Eszter_Hargittai_on_Digital_Inequality_and_Differentiated_Use +Patent_Left +Socioeco +Conjuncture +Charter_of_the_Forest +Alternative_Progress_Indicators +Bob_Osterdag_on_Why_it_is_Better_for_Musicians_to_Share_their_Music +Open_Hardware_Journal +Open_Social_Innovation +Boxoffice365 +Desktop_Fashion +Interview_with_Michel_Bauwens_at_the_University_of_Oslo +Search_Engine_Politics +Finance_Innovation_Lab +Tekla_Labs +Globalization_of_Communes +Open_Android_Alliance +Fran%C3%A7ois_Grey_on_Distributed_Computing_and_Thinking +Importance_of_istributed_Digital_Production +Kilowatt_Cards +The_Community_Land_Trust +Analysis_of_Open_Hardware_Licensing +To_Save_Everything_Click_Here +Hypersex +Berlin_Commons_Conference/ProjectVisits +Internal +We_Media +Francesca_Musiani +Normative_science +Whole-Systems_Framework_for_Sustainable_Consumption_and_Production +Innovation_Happens_Elsewhere +Alternative_Modes_of_Governance +Dynamic_Coalition_on_the_Internet_Bill_of_Rights +Produser +Contractionary_Revolution +EROEI +Deliberative_Democracy +Atmospheric_Commons +IStock_Photo +Throw_Away_Your_TV +Anarchist_in_the_Library +SXSW_2009_Panel_on_Spec_Work_in_Crowdsourced_Design +Global_Commons_Law +Money_Pooling +Undercommons +To_Feel_Like_Paying +Profit +Technate +Worldwide_Struggle_For_Internet_Freedom +English_Glorious_Revolution_of_1688-89_as_Institutional_Phase_Transition +ROBIN_Project +Media_Archaeology +Charles_van_der_Haegen +Global_Internet_Governance_Academic_Network +Carbon_Bubble +Elevate_the_Commons +ReCommon +Building_a_Regional_Commons_in_Southeast_Asia +James_Boyle_on_Mashups,_Borrowing_and_the_Law +Greexit_Story_So_Far +Big_Data +Ecological_Effects_of_Carsharing +Free_Culture_in_Relation_to_Software_Freedom +Netpublics +Open_Spectrum_Panel +Open_CourseWare +Tariq_Khokhar_on_Open_Data_at_the_World_Bank +Distribution_Hacking +P2P_By_Design +Year_of_Open_Source +BlogBridge +Wikipedia_as_Collective_Action +Introduction_to_the_Art_of_Hosting +Farmageddon +Self-Organized_Learning_Environments +Ian_McShane_on_the_Australian_Take_on_the_Commons +Cultural_Dimensions_Theory +Green_Digital_Charter +Rocky_Mountain_Institute +Governance_of_Open_Source_Communities +Urban_Policy_Recommendations_for_Airbnb-style_Short-Term_Rentals +Open_Source_City +File-Sharing_as_Social_Practice +Global_Consciousness +Alaska_Permanent_Fund +Tim_O%27Reilly_on_the_Birth_of_the_Global_Mind +Open_Computer_Science +Ownership_Transfer_Corporations +Deep_State +Artificial_scarcity +Christos_Bitsis +Fix_My_Street +Remix_the_Commons_Video_Series +Free_Online_Image_Banks +World-Citizens_for_the_Global_Commons +Principles_for_a_Free_Monetary_System_for_the_Digital_Era +Civic_Journalism +Fred_Turner_on_Cyberculture_and_Digital_Utopianism +Wiki_Textbook_Webcasts +Wienett +George_Dafermos_on_the_Peer_Governance_of_Open_Source_Projects +Maka_Si_Tomni_Institute +Open_Source_Vehicle_Telematics +Worker-Based_Investment_Funds +Bill_McKibben_on_Why_We_Need_a_P2P_Energy_Grid +In_Transition +Social_Media_Managers +Ken_Wilber_on_Elitism_Excellence_and_Inequality_in_Development +Paul_Needham_on_Owning_Electricity +Zoe_Romano_and_Bertram_Niessen_on_Open_Source_Fashion_and_the_OpenWear_Project +Assurance_Commons +Patrimonial_Bureaucracy +Money_is_not_the_Only_Value_Measurement_System +International_Initiative_for_Promoting_Political_Economy +Community_Pricing +Neighborhood_Fruit +Hacker_Scouts +Global_Civil_Society +Mirror_Party_Project +Networked_Participatory_Scholarship +Video_Vortex_Reader +GPE_Phone_Edition +Bruns,_Axel +Mesh_Business +Online_Photo_Sharing_in_Plain_English +Equality_Camps +Paul_Duguid_on_the_Social_Life_of_Information +Ultra-red +Linda_Stone_on_Attention_in_an_Always-on-World +Disembodied_Life_of_Digital_Organisms +Occupy_Wall_Street_Collaborative_Film +Manifest_for_the_recovery_of_common_goods_of_humanity +Rafael_Pezzi +P2P_Network +XToBeErased +P2P_Foundation_Wiki +Stefan_Merten +Beyond_Marx +Quilligan,_James +Hazel_Henderson_on_Green_Finance +Van_Beroepszeer_naar_Beroepseer +Free_Software_and_the_Local_Economy +Rick_Falkvinge_on_the_Economics_of_Bitcoin +Thai_Impaeng_Network +Chris_Carlsson_on_Nowtopia +OSSICS +P2P_Exchanges +Open_Source_Chemistry +Couchsurfing_Conflict +Insect_Media +Joseph_McCormics_on_the_Democracy_in_America_campaign +Thomas_Greco_on_the_Credit_Commons +Cyber-Libertarianism +Open_Source_Software_and_the_Private-Collective_Innovation_Model +Tracy_Fullerton_on_Re-enchanting_Students_through_Participation_in_Problem-Solving_and_Gaming_Environments +Inverse_Surveillance +Open_Source_Filament_Maker +David_Halpern_on_Collaborative_Consumption +Social_Trade_Unionism +Cindy_Kohtala +Douglas_Rushkoff_on_the_Phantom_Systems_of_Value +Open_Spaces_Society +Empathy +Cloudiness +Introducing_the_Class_of_the_New +Evgeny_Morozov_and_Charlie_Beckett_on_the_Future_of_Wikileaks +Smith,_Amy +Policy_Implications_for_the_Evolving_Phenomenon_of_User-Led_Scientific_Innovation +Lilypond +Truth_Theory +MIT_on_Collective_Intelligence +Global_Bitcoin_Stock_Exchange +DSpace_Foundation +Lawrence_Lessig:_Five_Proposals_for_Copyright_Reform +Next_Stages_in_Automated_Craft +PortoAlegre_CC_-_BR +Colbert_on_Wikilobbying +Christopher_Webber_on_Media_Goblin +P2P_Lending_Analytics +Sustainability_Building_Block_Package +Robotic_Feral_Public_Authoring +Community_Managed_Software_Projects +Electric_Embers +RepliCounts +Design_Imperative +On_the_Need_to_Scale_Up_Anti-Poverty_Strategies +Open_Voices +Community-Based_Ethical_Energy +Against_Intellectual_Monopoly +Bauwens,_Michel +Co-Revolutionary_Theory +David_Martin_on_the_Heritable_Innovation_Trust +Unoccupy_Movement +Holopticism +Falling_Rate_of_Profit +Municipal_Buy-Back_of_Power_Grid +Third_Generation_Leadership +GZ_Imaxinaria_Coop/es +Open_WAP +Farsite +OpenWatch_Project +Donation-Based_Energy_Crowdfunding +P2presearch_list +Social_Metrics +Big_Barn +Radical_Commons_Working_Group +Emily_Kawano +Austrian_FunkFeuer_To_Build_Free_Bridge_to_Internet_in_Vienna +Relation_reduction +TruequeDigital/es +Super-Empowered_Individual +Multi-Lectic_Anatomy +XRML +Golden_Rule +Open_Hardware_Agriculture_Machinery +ICT_and_Environmental_Sustainability +Money_is_Not_a_Thing,_but_a_Relation +Global_MindShift +CoCreate +Supernova_2005_Attention_Panel +Albasol +Equality +%CE%9C%CE%B1%CF%81%CE%BE%CE%B9%CF%83%CE%BC%CF%8C%CF%82_%CE%BA%CE%B1%CE%B9_%CE%95%CE%BB%CE%B5%CF%8D%CE%B8%CE%B5%CF%81%CE%BF_%CE%9B%CE%BF%CE%B3%CE%B9%CF%83%CE%BC%CE%B9%CE%BA%CF%8C +Sam_Ghods_on_spotting_and_avoiding_restrictive_DRM +Don_Tapscott_on_Four_Principles_for_the_Open_World +Open_Sauces +Religious_Thought_and_Intellectual_Property_Law_in_the_21st_Century +A_quoi_sert_le_travail +Brahma_Kumaris_Thailand +Marabunta +Names_in_Post-Scarcity +Vlogging +John_Coate_on_the_Early_Days_of_the_Well +Micro-Municipalization +Copy +Big_Mashup +Three_Egalitarian_Property_Modalities +Chu,_John +Internet_Robustness_Project +Humanity_Ascending +Community_Supported_Bakeries +Open_Scientific_Data_Licenses +Vinay_Gupta_on_Solving_Global_Crises_through_Peer_Production +Full-Spectrum_Economics +Rod_Collins_on_Wiki_Management_in_Corporations +CARD.coop +Mapping_the_New_Commons +Mark_Shuttleworth_on_Ubuntu +Impact_of_Groups_on_Loan_Repayment +Open_API_License +Social_Entrepreneur +Democratizing_Innovation +Peer_Productions +Abstract_vs._Concrete_Labour +Self-organized_Criticality +History_of_Tech-Roots_Organizing +Antirival_Goods +Cybernetics_and_Governance +Non-rival +Freire,_Juan +Mary_Beth_Watson-Manheim_on_Achieving_Power_and_Influence_in_the_Globally_Distributed_Workplace +Open-Source_3D-Printable_Optics_Equipment +Civil_Humanism +Give_Get_Nation +Conception-Aware,_Object-Oriented_Organization +Cris_Rodrigues +Rules +SuperCell_-_Governance +Wikidata +Three_Ethical_Moments_in_Debian +Reciprocal_Open_License +Enter_Colaboratorio_Copyleft/es +Proposal_for_a_Guild-Based_Business_and_Governance_System_for_the_P2P_Economy +Feminism_and_the_Politics_of_the_Commons +Can_We_Liberate_the_Market_through_Commons_Governance +Online_Church +Travis_Kriplean_on_Tools_for_Scaling_Consensus +Libre_Licenses +Hacking +Friendsurance +After_TV_on_Web_Conservatism +Appropriate_Commercial_Custodianship_of_IP_by_Third_Parties_in_Free_Culture_Age +Free-form_Authority_Models +One_Click_Organisations +Multi-Use_Design +Deep_Economy +Open_Access_to_Government_Information +Yard_Scaping +Transmedia_Storytelling +Heather_Ford +Material_Basis_of_Inequality +Cascadia_Commons +Cultivating_Hacker_Ethics_in_Debian +Governance_of_Sponsored_Open_Source_Communities +Model_Community_Bill_of_Rights_Template_for_Occupy_Communities +Barbrook,_Richard +Post-Occupy_Housing_Rights_Activism +Beyond_the_Profits_System +Open_Editorial_Meetings +Auzolan/es +OKF_Working_Group_on_Open_Data_in_Archaeology +Hod_Lipson +Comparing_Different_Forms_of_Openness +Hardcore_Web_Business +Digital_Robin_Hood +Space,Subjectivity,_Enclosure_and_the_Commons +Internet_Law_and_Politics +Beachhead_Hypothesis +Wirelessness +Blook +AtFab +Microfranchising +Social_Fundraising_Platform +Jessica_Parker_on_Teaching_Digital_Youth +Kay_Hamacher_and_Stefan_Katzenbeisser_on_Bitcoin +Open_Capital +Foundation_of_Ecological_Security +Slow_Books_Movement +Government_Support_for_the_Commons +Kate_Hennessy_on_Access,_Ownership,_and_Collaboration_in_the_Virtual_Museum +Crowdfunding +Labor-controlled_Venture_Capital_Funds +Alternative_Left-Libertarian_Means_of_Privatizing_State_Property +Open_Waterbike +Concentric_Circle_Marketing +http://www.addthis.com/bookmark.php?v=20 +Biophysical_Economics +Cooperative_Association_for_Internet_Data_Analysis +Five_Principles_of_Openness_and_Transparency_in_Politics +Fred_Turner_on_Burning_Man_as_the_Cultural_Infrastructure_for_Commons-Based_Peer_Production +Ambient_Production +Simputer +Hashtags +Transnational_Republic +Open_Source_and_Capitalism +2.2_Information_Technology_and_%27Piracy%27_(Details) +Organizational_Resilience +Historical_Commons-Oriented_Movements +BitMessage +Towards_the_Recognition_of_Commons-Based_Innovation +Gwendolyn_Hallsmith +Le_peer_to_peer:_nouvelle_formation_sociale,_nouveau_model_civilisationnel. +Beyond_Digital_Inclusion +Watts_Strogatz_Model +John_Thackara_on_the_End_of_Endless_Growth +Lanham,_Ryan +Reflect_Methodology +Bazaar_Voice +Distributed_Computing_Economics +Tiberius_Brastaviceanu_on_Why_We_Need_a_Open_Value_Accounting_System +Toward_a_Critical_Integral_Theory +Interview_with_Federico_Mena_Quintero_of_Gnome,_on_P2P_Urbanism +Mutual_Aid_Network +Priced_and_Unpriced_Online_Markets +Echo_Chamber_Project +Open_Hardware_Specification_Project +Big_Blue_Saw +Educopedia +Dan_Gillmor_on_Citizen_Journalism +Environmental_Justice_Movement +Robin +Universidad_Nomada +MoJo +Renewable_Energy_Policies +P2P-driven_Decline_in_Transaction_Costs_and_the_Coming_Micro-Ownership_Revolution +New_Economy_Movement +Timeline_of_the_Evolution_of_the_Sharing_Economy +Three_Generations_of_Education +Time_for_Health_Exchange +Vernacular_Societies_and_Economic_Ethics +Swarm_Intelligence +Autonomous_Commons +Brewster_Kahle_on_Achieving_Universal_Access_to_All_Knowledge +Bruce_Bimber_on_the_Internet_in_U.S._Elections +Philipp_Schmidt +Xtine_Burrough +Market_State +Business_Models +Case_for_Progress_in_a_Networked_Age +Logical_Disjunction +Seth_Godin_on_Blogging +Free_Risk +Tor_Project +Kranzberg%27s_Laws_of_Technology +Modularity_in_Science +Distributed_Capitalism +Sharing_(Book) +DPUIC +Levy,_Joshua +Commons_Guide_to_Placemaking,_Public_Space,_and_Enjoying_a_Convivial_Life +Jeanette_Hofmann_on_Wikipedia_between_Emancipation_and_Self-Regulation +Five_Key_Steps_Towards_a_Food_System_That_Can_Address_Climate_Change_and_the_Food_Crisis +Social_Licence +Danah_Boyd_and_Doc_Searls_on_the_Vallue_of_Cyber-Utopianism +Cory_Doctorow%27s_Course_on_Copyright_and_DRM +Richard_Stallman_on_the_Dangers_of_Software_Patents +Governance_Equation +DoOcracy +Buddhist_Economics +Commercial_vs._Civic_Commonwealth +User_Ownership_Theory +Steven_Johnson_on_the_Peer_Progressive_Movement +Schumacher_Center_for_a_New_Economics +From_Medieval_to_Global_Assemblages +Second_Life +Open-Participation_Research_Platforms +Geldb%C3%A4ckerei +Importance_of_Neotraditional_Approaches_in_the_Reconstructive_Transmodern_Era +Tristam_Stuart_on_the_Negative_Implications_of_Food_Affluence +EarthBenign +Megacommunities +Conflicting_Public_Sector_Information_Policies_and_their_Economic_Impacts +Jordan_Hatcher_on_Licensing_Open_Data +BitPools +David_Graeber_in_Conversation_with_Rebecca_Solnit +Truth_Table +Bob_Massie_on_the_New_Economy_Movement +Threadless +Take_Back_the_Land +David_Lipman_on_Open_Science_and_Biology +Negotiated_Coordination +Spehr,_Christopher +Regulation_Room +Enmedio/es +Open_Source_Mobile_Phones +Energy_Efficiency_Fallacy +Edgar_Cahn_on_Time_Banking +Occupy_Production +Civic_Hacking +Open_Educational_Resources_Research +Approval_Economy +Pamoyo +Zidisha +Introduction_to_the_Solidarity_Economy +Swarm_Sightings +Manfred_Max-Neef_on_Moving_to_a_Stable_Economy_through_Human_Scale_Development +Sugar +Hackitat +Democracy_Collaborative +Olha_Obra +Bioneers +Free_File_Format +Occupy_Wall_Street_Occupy_Alternative_Banking_Group +Participatory_Urban_Planning +Peer_to_Peer_Data_Sharing +Epic_vs_Lyric_Mode_of_Action_and_Innovation +Derechos_Digitales_Chile +Common_Stock_Commons +Every_Vote +Innovating_Through_Commons_Use +Collaborative_Governance +Tyranny_of_Structurlessness +Captology +Trademarks +Unstash +Auroville +Open_Accreditation +Commons_Paradigm +Watershed_Trust +Divine_Right_of_Capital +Copyright_in_Historical_Perspective +WebKit +Scalable_Efficiency +Micro-Collectives +Hasslberger_Sepp +Bit_Gold +Open_Data_Currencies +Great_Turning +Holvi +Bosserman_and_Associates +Limited_Liability_Partnerships +Online_Community_Cooperative_Network_Model +Zero_Carbon_Access_Networks +Civic_Commons +Open_Hardware_Licensing_Workshop +100_cases_of_Changeability +Wikiversity_for_Free_Education_and_Free_School +Sharing_as_the_Creed_of_Material_Spirituality +Eric_Raymond_on_Hacking,_Open_Source,_and_the_Cathedral_and_the_Bazaar +Social_Media_Are_Re-Embedding_Cultural_Production_into_Concrete_Social_Relationships +Cognitive_Capitalism +Neo-Anarchist_Consensus_Approach +Michel_Bauwens_on_Commons-oriented_Politics +2D_Plotter_Cutters +Fabienne_Serri%C3%A8re_on_the_World_of_Open_Hardware_Hacked_Knitting_Machines +OPUS +Synocracy +Evgeny_Morozov_on_the_Spinternet +Pithouse,_Richard +Peer_Production_of_Public_Functions +Alexander_Galloway_on_Protocollary_Power +New_Monastic_Individuals +T%CE%BF_%CE%BC%CE%AD%CE%BB%CE%BB%CE%BF%CE%BD_%CF%84%CF%89%CE%BD_K%CE%BF%CE%B9%CE%BD%CF%8E%CE%BD +NASA_Clickworkers +Economics_Anti-Textbook +Social_Health +Cube_Spawn +Capitalist_Manifesto +Pro-Am_Army +Externalization_of_Costs +Ross_Dawson_on_Innovation_in_Business +Alain_Ruche +Citizen_Science_Quarterly +Evaluation_of_a_Complementary_Currency_Programme_in_Kenya%E2%80%99s_Informal_Settlements +Imagine_the_City_-_Greece +Indonesia +DIY_Bio +Brian_Behlendorf_on_Apache_and_the_Apache_Foundation +Self-organized_Design_Communities +Participation_and_Hybridity_in_Transpersonal_Anthropology +Theatre_Commons +Changing_Protest_and_Media_Cultures +Unhosted +John_Coate_on_the_Early_Days_of_the_WELL +Open_NMS +Greek_language +International_Ocean_Stations +Politics_of_Digital_Media,_Piracy_and_the_Commons +Swift +How_to_Get_What_You_Want_Through_Community_Self-Government +Institute_for_New_Economic_Thinking +Skype +Bjarke_Ingels_on_Open_Source_Design +PPStream +Recommender_System +Internet_Zero +MOOC +P2P_Foundation_Wiki_Monitoring +MOOR +Bibliography_on_the_Enclosure_of_Science_and_Technology +Commons_-_Italy +Shared_Space_Traffic_Systems +Voxel +Global_Guild_of_Evolutionary_Architects +Lecturecasting +Vectoral_Class +Charlene_Spretnak_on_Relational_Reality +Flash_Flood_Activism +Amazee +Free_Medical_Journals_Alert +Free_Money_Theory +Potto_Project_-_Open_Engineering_Textbooks +Mark_Elliott_on_Stigmergy,_Collaboration_and_Citizen_Wikis +Lurking_in_Online_Classrooms_-_Is_it_okay +3DSUG +Cormier,_David +Theses_on_Digital_Labor_in_an_Emerging_P2P_Economy +Coliberation +Andrew_Tridgell_on_Patent_Defence +Freeform_Fabrication_Systems +Jaron_Lanier_on_Digital_Maoism +Web_2.0_Services_in_Medicine +Dynamic_Democracy +Open_Source_Nanotechnology +Green_Broadband +Discussing_the_Montreal-Based_Open_Innovation_Hub_and_Project_VIE +Careless_Society +Unstitute +Embodied_Perception +Open_Project_Management +Novaglobe +Worker-Owned_Tech_Collectives +Shareable_City +Government_2.0_Club +Hierarchy_of_Energy +Open_Slug +User-Led_Education +Physician_Social_Networking +Sustainability_and_Governance_in_Developing_Open_Source_Projects +Sustainability_Product_Selection_Metric +European_Constitutionalism_from_Below +Public_Goods +Peer_Produced_Politics_of_Occupy_2.0 +High_Mowing_Organic_Seeds +Institute_for_Planetary_Synthesis +IPV6 +Howard_Rheingold +Open_Hardware_and_Design_Alliance +Geert_Lovink_on_Free_Cooperation_in_P2P_Networks +History_and_Future_of_Left_Internationals +UNITAR_Course_on_the_Commons +Marvin_Brown_on_Civilizing_the_Economy +Green_Party_Integrated_Consensus_and_Consent_Voting_Model +Disintermedia +Herman_Daly_on_the_Tragedy_of_Artificial_Scarcity +Hannes_Euler +Participatory_Marketing_Network +Open_Source_Software_Economy_vs_Open_Source_Hardware_Economy +Generation_Y_Resilience_Handbook +Converging_Forces_that_are_Personalizing_Manufacturing_Technologies +Critical_Explorations_on_the_World_Social_Forum +Design_Protection +Karatzogianni,_Athina +Open_Imperative_Program +Michael_Nielsen_on_Epistemology_2.0_and_the_Future_of_Online_Science +Critique_of_Christian_Siefkes_Peer_Economy +Jean-Fran%C3%A7ois_Noubel +Commons-Oriented_Pattern_Language +Network_Service_Licenses +Enrico_Grazzini +Collaborative_Network_for_Free_and_Open_Software_Latin_American_and_Carib +Daniel_Ravicher_on_Protecting_Freedom_in_the_US_Patent_System +Counterhegemony_Podcast +Bobe,_Jason +Cities_as_Commons +Pedro_Garcia +Global_Social_Business_Incubator +Peer-to-Peer_Finance_and_the_Future_of_Banking +Geseko_v._L%C3%BCpke +Coletivo_Pocar_-_BR +A_Revolution_in_the_Making_(Details) +Consumo_Colaborativo +Metamute_Public_Library +Social_Capital_and_the_Gift_Economy +Social_Media +Open_Funding +David_Bollier_on_a_Policy_for_the_Commons +Networked_Labour +Mark_Anielski_on_the_Economics_of_Happiness +Aspirational_Commons +Aural_Architecture +Technology_Liberation_Front_Podcasts +Julia_Grace_on_Hardware_Hacking +Social_Seeds +Studio_for_Self-Managed_Architecture +Open_Source_Servers +Halpin,_Harry +When_Copyright_Goes_Bad +Motivation,_Governance,_and_the_Viability_of_Hybrid_Forms_in_Open_Source_Software_Development +Open_Source +CHORUS_P2P_Workshop_1P2P4mm +Factory-in-a-Box +PLoS_ONE +Privacy +Marinaleda +Upstream +Free_File_Formats +International_Telecommunications_Regulations +Open_Source_Business_Models +Anna_Seravalli +Functions_of_Money +Cloudworker +Proxecto_Integral_da_Coru%C3%B1a/es +Articultores/es +Nathan_Seidle_on_How_Open_Hardware_will_Take_Over_the_World +Equator_Principles +Empowered_Employee_Compensation_Model +Peer-to-Peer_Microblogging +Ann_Pettifor +InWeave +World_Travel_Exchange +IBM +Viktor_Mayer-Sch%C3%B6nberger_on_the_Loss_of_Forgetting_in_a_Digital_Age +Exit-Based_Empowerment +Slavoj_%C5%BDi%C5%BEek_on_the_Occupy_Movement +DIY_Instruction +Jan_Krewer +Open_Implementation_Hardware +Shared_Assets +Trust_Cloud +Immediate_Return_vs._Delayed_Return_Societies +Democratization_of_the_Moving_Image +Panpsychism +Making +Cloud_Power +Onawi +10_Proposals_To_Achieve_a_Open_and_Free_World +Radical_Social_Entrepreneurs +Influence_Aggregators +Amanda_McDonald_Crowley_on_Open_Art_and_Technology +Alternate_Collective +Open_Labs +Automated_Distribution_Systems +Open_Source_Political_Framework +Building_Fair_and_Sustainable_Economies +Can_the_Internet_Democratize_Capitalism +Electronic_Privacy_Information_Center +Peter_Murray-Rust_on_Open_Data_in_Science_2.0 +Micro-fame +A_day_with_Bauwens +Frederic_Sultan +Fuchs,_Christian +Community_Land_Trust_and_the_Public_Benefits_of_Taxing_Unearned_Income +David_Edelstein_on_the_Effect_of_Movie_Review_Aggregators_on_Film_Appreciation +Elizabeth_Stark_and_Fred_Benenson_on_Why_You_Should_Care_About_Free_Culture +IRIS_Framework +Open_Annotation_Specification +Open_Rocket +Unnovation +Rough_Draft_Notes_on_Water_Breakout_Group_for_Land_and_Nature_Stream +Advanced_Automation +Jaromil_on_the_Political_and_Social_Justice_Goals_of_the_Dyne_Hacker_Movement +Non-Market_Socialism +Colega_Legal_BR +Cittaslow +Blue_Brain_Project +Field_Theory +Tara_Hunt_about_Nurturing_Communities_Online +Modal_Aesthetics_Project +Open_Sphere +Culture_of_the_Socioeconomy_of_Solidarity +Future_of_the_Commons_Crottorf_Consultations +Giovanna_Ricoveri +ThredUp +Economy_of_God +Digital_Geography_Manifesto +Richard_Miller_on_the_New_Literacies_for_a_New_Humanities +CoLab +Guide_for_Collaborative_Groups +Tu_Parlamento +ThredUP +Social_Commerce +Prue_Taylor +Open_Source_3D_Modeling +Microgenius +Blake_Jones_of_Namaste_Solar_on_Democratic_Energy_Cooperatives +Distinctions_and_Status_in_the_Anime_Music_Video_Scene +Accountable_Algorithms +Supercell_-_Governance +Symmetrical_and_Asymmetrical_Technologies +Permaculture_Architecture +Guide_to_the_Crowdsourced_Workforce +Heinrich_B%C3%B6ll_Foundation +Dmytri_Kleiner%27s_Critique_of_Peer_Production_Ideology +Mariana_Mazzucato_on_the_Enterpreneurial_State +Social_Relationship_Management +Industrial_Cooperation_Project +Open_Source_Lab +Power_User_Kids +Blog_Podcast_of_the_Day_Archives_2012 +De_nieuwe_triarchie:_de_commons,_de_bedrijven,_de_staat +Open_Source_Law +How_To_Spot_A_Successful_Open_Source_Project +Third_Economy +Open_Source_Whistleblowing_Platform +QualOSS +Participatory_Coordination +What_Role_for_Users_in_a_More_Social_Peer-to-Peer +Scotcoin +P2P_Communications_Infrastructure +Pamela_McLean +Three_Reasons_to_Give_Your_Books_Away_for_Free +General_Public_License_for_Plant_Germplasm +7.1.B._P2P,_Postmodernity,_Cognitive_Capitalism:_within_and_beyond +Videos_for_a_Course_on_Online_Cooperation_and_P2P +Anti-Counterfeiting_Trade_Agreement +Hillary_Wainwright +Copyright_and_mass_mediaGR +Michel_Bauwens +ECC2013/Knowledge_Stream/Documentation +Personalized_Learning +Hitchwiki.org +Knowledge_Management_and_Innovation_in_Open_Source_Software_Communities +Peer-Driven_Value_Creation +Online_Oral_Psychodynamics +Worldshift_Movement +Phantom +Worker_Cooperative_Federal_Credit_Union +Openness_in_Open_Source_Software_Development +Estonia +2.5_Individual_and_Public_(Details) +Critique_of_OccupyWallStreet%27s_Tactics_as_a_Brand +Lancaster_System_of_Education +Dialogo_de_la_Juventud_Salvadore%C3%B1a/es +Fair_Shares +Health_Impact_Fund +Karthik_Jayaraman +How_To_Share_Guides +Crowd_of_One +Buying_Attention_in_the_Digital_Age +Recommendation_Engines +Open_Access_-_Discussion +Bitvault +Happiness_Economics +Exploding_the_Phone +Gideon,_Thomas +Local_Ordinances_for_Food_Security +Enabling_a_Global_Climate_Commons_Pathway_-_2013 +Rafi_Haladjian_on_the_Internet_of_Things +Distributed_Networking +Sm%C3%A1ri_McCarthy_on_IMMI_as_an_Interface_between_the_Internet_and_the_State +Corporate_Social_Responsibility_2.0 +Work_and_the_Gift +Open_Fuures +Edgar_Cahn_on_the_Two_Impulses_of_Human_Nature_and_Corresponding_Money_Systems +Cunningham,_Howard +Neuros_OSD +Bijoy_Goswami_on_Social_Capital_vs._Market_Capital +Peter_Rachleff +Freelance_Surge_Is_the_Industrial_Revolution_of_Our_Time +Nicholas_Carr_on_The_Shallows +Food_Sovereignty_in_the_Andes +Terry_Anderson_on_Learning_in_Open_Groups,_Networks_and_Collectives +Occupy_Wall_Street_Screen_Printing_Guild +Braman,_Sandra +Ecocracy_-_Cosmocracy +Economic_Theory_of_Infrastructure_and_Commons_Management +Open_Journal_Systems +Business_Week_on_Virtual_Lives_and_Real_Money +Center_for_Internet_and_Society +David_Bollier_on_Framing_the_Commons +Open_Source_Alternatives_for_Unions +Reserve_Currency +Abundance_vs._Scarcity_Mentality +Karla_Brunet_on_the_Labdebug_Digital_Production_Experiences_for_Women_in_Brazil +Innovation_Management_and_Policy_Accelerated_with_Communication_Technologies +Cloud_Computing +Virtual_Policy_Network +John_Restakis +Michael_Mehaffy +Power_of_Collective_Wisdom_and_the_Trap_of_Collective_Folly +Buying_Out_at_the_Bottom +Microcredit +Patent_Lens +Voting_Mechanisms +Digital_Shadow +Giving_Forum +Declaration_of_Health_Data_Rights +Social_publishing +Slow_Business_Manifesto +REactiv +Mobile_Phones,_Mobile_Minds +VRM +Transition_Initiative +Daniel_Suarez_on_the_Daemon_of_Bot-Mediated_Reality +CoForum +Multistakeholderism +Electronic_Solutions_for_E-Voting +OSJuba +Claudio_Ruiz +Socialist_Market_Economy +Festival_de_Cultura_Libre_K-maleon/es +Essays_2 +Rachel_Kaplan_on_Urban_Homesteading +Participatory_Strategic_Planning +Global_Warming_as_a_Tragedy_of_the_Commons +Post-scarcity +Manfred_Max-Neef_on_the_Need_for_Barefoot_Economics +Transnational_Societal_Constitutionalism +ScholRev +Direct_Unionism +Community_Energy_in_Germany +Netarchical_Capitalism +Shareholder_Value +Gustavo_Salas +Rise_of_Regional_Economies +Joshua_Pearce +P2P_Foundation_Participation_in_Scientific_Symposia +New_Renaissance +Participatory_Development_of_Technologies_and_Community_Participation_in_the_Cidade_de_Deus_Web +Jonathan_Beller +Open-process_Academic_Publishing +HONDARTZAN_-_MAREAK/es +Essays +3.4.B._P2P_and_the_Market +Garden_Sharing +Culture_of_Contest +Consumer-controlled_Surveillance_Culture +BanLink +Fiesta_Cierrabankia +Freematrix +Global_Financial_Crisis_in_Art_and_Theory +Asset-Sharing_Movement +Otpor +WLAN +Global_Natural_Energy_Grid +Time-Based_Revenue-Collecting_Models +Four_Eras_in_Web_Technology +Josef_Stiglitz,_on_why_drug_patents_are_costing_lives +Open_Source_CRM +Living_Reviews +New_Constructs +Antipreneur +Distributive_Enterprise +Handbook_of_Collective_Intelligence +Global_Initiative_for_Fiscal_Transparency +Wind_Energy_-_Large_Scale +John_Wilbanks_on_the_Science_Commons +Together_-_New_Zealand +Carlota_Perez +Cooperative_Capitalism +Machine_Collective +Lakabe/es +No_Derivative_Works +Radical_Inclusion +School_of_Everything +Two_Bits +Neosubsistence +Off_the_Network +Bonnie_Wong +Open_Utopia +Building_a_Better_Web-based_Book +Online_Identity +Free_Content +Pitfalls_of_Online_Education +Stavros_Stavrides_on_Inventing_Open_Institutions_and_Spaces_of_Sharing +Social_Networks +FLOSS_Foundations +Pour_la_Gratuite +Emerging_Economy_Wiki +Tantillus +Twenty_Rules_for_Civil_Networks +Resilient_P2P_Innovations_Means_a_Thrivable_World_Is_Possible +Competitive_Intermediators +Electric_Carsharing +New_Money_for_a_New_World +Role_of_the_Internet_in_the_15M_Movement +Open_Source_Activism +Electronic_Colonialism +Compassionate_Action_Network +Freemind +Diffuse_Innovation +Diamond_Age +Social_Contract_for_Housing_Collective +Chaos_Computer_Club +Distributed_Control +Jubilee_Art +How_the_Death_of_Patents_Unleashed_Open_Source_Innovation_for_3D_Printing +Panel_Discussion_on_Paid_Crowdsourcing_and_On-Demand_Workers_in_the_Cloud +Open_Achievements_API +Online_Giving_Markets +Webjays_Software +Sacred_Economics +Darknet +New_Pathways_to_Value_through_Co-Creation +Community_Development_Credit_Union_Movement +Move_Digital +Arcology +Social_Learning +Characteristics_of_Effective_Activism +Linda_Sim +Open_Source_Mesh_Networking +Decentralization_of_Taste +Angel_Economics +Open_Book_Accounting +Practical_Information_for_the_Economics_of_the_Commons_Conference +Self-Help_Association_for_a_Regional_Economy +Beyond_Civilization +Platform_for_Privacy_Preferences +Procter_and_Gamble_Connect_and_Develop +P2P_Collaboration_Systems +Free_Software_Pact_Initiative +How_Commercial_Social_Networks_Hinder_Connective_Learning +Video_Republic +Collaborative_Fiction +Alison_Powell +Karen_Stephenson_on_Trust_and_Social_Network_Analysis +Nicco_Mele_on_the_Impact_of_Web_2.0_on_Politics +Religion_and_Equality_in_Human_Evolution +Software_Patents_as_an_Obstacle_to_Software_Development +Jordan_Hatcher_on_the_Open_Data_Commons +From_Voluntary_Subcultures_to_Resilient_Communities +Social_Software_3.0 +Social_Commerce_and_Open_Business_Models +Finite_vs._Infinite_Games +Anti-Rivalry +Gabriela_Mafort +Open_Source_Software +Community_Economies +We_Need_To_Balance_our_Masculine_Global_Economy_With_Feminine_Global_Governance +Facebook_Occupy_Sites_Directory +Semicommons +Balancing_Individualism_and_Communitarianism +Co-Intelligence +Emotional_Mapping +Open_Production +Belize_Open_Source +Paradiso_Foundation +Commons_Education_Commons_-_2013 +ADABio_Autoconstruction +Tomas_Diez +P2P_Networks,_Music,_and_Generational_Cultural_Experience +Games_for_Change +Data_Ownership +Documentary_on_the_Water_Struggles_Around_Greece +Greenfield_Vision_of_Autonomous_Internet +Plan_de_Intervenci%C3%B3n_en_los_Solares_Vac%C3%ADos_del_Casco_Hist%C3%B3rico_de_Huesca/es +John_Seely_Brown_on_Globalization_and_Collaboration +Crisis_Mapping_Analytics +Jyri_Engestr%C3%B6m_on_Nodal_Points_and_Social_Peripheral_Vision +Is_Open_Access_Still_Relevant_in_2013 +P2P_Travel_Marketplaces +Free_Culture_Media +Free_Culture_between_Commons_and_Markets +Barry_Bunin,_Andrew_Hessel,_and_Jonathan_Izant_on_Open_Source_Drug_Discovery +Just_another_Emperor +Mozilla_Corporation +BuenosAiresLibre/es +Lawrence_Lessig_on_IP_in_the_Digital_Economy +Social_Networking_Service +Kevin_Carson +Rentoid +Newspaper_in_the_Age_of_Blogs +Nikos_Salingaros_on_Creating_Buildings_that_Support_Life +Occupy_Nigeria +Device2.0 +Interacting_Locally_and_Globally_through_Games +WorkingWiki +Representative_Democracy +Neri_Oxman_on_3D_Printed_Buildings +Global_Integral-Spiritual_Commons +Oliver_Goodenough_on_Modeling_Cooperation +OWS_Currency_Design +Seeing_Like_a_State +Digital_Social_Innovation_in_Palestina_2012 +Institute_for_Distributed_Creativity +Social_Media_Reader +Revisiting_Corporate_Charters +-_Pekka_Himanen +Documentation_on_the_ECC2013_Knowledge_Stream +Handbook_of_Research_on_Open_Source_Software +Public_Sector_Reform +Suber,_Peter +Open_Source_Hardware_Taxonomy +Meditation_on_Participation +Identity_Commons +Mutual_Marketing +Daniel_Araya +Cooperation_Commons_Maps +Peak_Globalization +Social_Manufacturing_Platforms +World_Transition_Organization +Wikipedia_Controversies +Archon_Fung +Characteristics_of_the_Ideal_Open_Social_Networking_Application +Networks_of_Community_Gardens +Slowd +Wahlb%C3%B6rse +UN_Global_Pulse_Team +Online_Banners_for_Social_Movements +SIOC_Core_Ontology_Specification +Cellular_Church +User_Built_Infrastructure_Held_as_a_Commons +Commons_Timeline +Most_Important_P2P-Related_Projects_and_Trends_of_2013 +Personal_Design_Manifesto +4G_Open_Patent_Alliance +Open_Reverse_Code_Engineering +Motivational_Approaches_for_Crowdsourcing +Duncan_Watts_on_Using_the_Web_to_Do_Social_Science +Defining_a_Post-Industrial_Style +Multimachine +Hacklabs +Free_and_Open_Cloud_Storage +Neogeography +Quality_Assessment_of_FOSS +57_Democratic_Innovations_from_Around_the_World +Paul_Wayper_on_Open_Source_Documentation +Farmer%E2%80%99s_Cooperatives +Comunidades_Digitais_-_Espa%C3%A7o_Virtual_de_Desenvolvimento_Local +Distributed_Systems_Online +%CE%88%CE%BD%CE%B1%CF%82_%CE%B5%CE%BD%CE%B1%CE%BB%CE%BB%CE%B1%CE%BA%CF%84%CE%B9%CE%BA%CF%8C%CF%82_%CE%B4%CF%81%CF%8C%CE%BC%CE%BF%CF%82:_%CE%97_%CE%BF%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CF%80%CF%81%CE%BF%CE%BF%CF%80%CF%84%CE%B9%CE%BA%CE%AE +Money,_the_Self,_and_Negative_Interest_Money +Self-designated_Storytelling +James_Stewart_on_the_Potential_of_New_Crowd_Services_for_Employment_in_Europe +Fred_von_Lohmann_on_Media_Industry_Resistance_to_Change_and_DRM +Governance_of_the_Global_Commons_by_the_People +Yell_WiFi +GreenFunder +Hacking_Health +Model_of_a_Mature_Open_Source_Project +Piazza_Telematica +Power_Book +Complementary_Currencies_for_Sustainability +Risk_Mimimizers +Post-Colonial_Development +Gerd_Wessling +Wiki_Management_at_Synaxon +Silverbacks_vs_Connectors +Hypernet +Free_Seeds,_Not_Free_Beer +David_Holmgren_on_Permaculture_in_Suburbia +Open_Burble +How_Blogging_Began +Open_Music_Model +Community_as_Curriculum +Pick,_Michael +Durreen_Shahnaz_on_Social_Impact_Investing_in_Asia +Crowding_Out +Violence +Global_Swadeshi_Network +Prize_Funding +Libre_Commons +Open_Parliament_Transcript_Format +Crowdsourcing_Idea_Game +Post_Industrial_Manufacturing_Research_Projects +Mondragon_Worker_Cooperatives +Zero_Exchange +Equality_Trust +Democratic_Curation +Information_Technology_is_Good_for_the_Environment_and_for_the_Climate +Tom_Watson +Oxford_Internet_Institute_Webcasts +Eri_Gentry_on_Garage_Biology_And_DIYbio +Alternative_Internet +Audio_Software +Beyond_State_Capitalism:The_Commons_Economy_in_our_Lifetimes +13_Open_Source_Hardware_Companies_Making_$1_Million_or_More +Unwisdom_of_Crowds +BeWelcome +Opencast_Community +Commons_and_Education +Telematics_Freedom_Foundation +Limitations_to_Economic_Environmental_Valuation +Public_Media_2.0 +Role_of_Medieval_Social_Media_in_Spreading_the_Reformation +PBS_New_Heroes_series_on_Social_Entrepreneurs +Occupy_Poetry +Ethical_Purchasing_Groups +E2C +Kevin_Carson_on_Mutualism,_Freed_Markets,_and_the_Desktop_Regulatory_State +Long_Depression +Model_of_Hierarchical_Complexity +Online_Fan_Cultures_Panel +World_Social_Forum +Nikos_Salingaros_on_Creating_Buildings_and_Environments_That_Support_Life +Ekila +Open_Notebook_Science +Open_Unified_Registry_with_Public_License +Dornbirn_Manifesto +Design_for_Disassembly +Career_Pivoting +Open_Source_Labor_Board +Justice-Based_Leadership +Ad-free_Live_Video_Broadcasting +Virtual_Citizens_Association +Five_Protestant_Solas_and_the_Hacker_Ethic +Michel_Bauwens_on_the_Emerging_Cooperative_Economy_and_Society +Open_Access_to_Electronic_Theses_and_Dissertations +Hacktivists +Instituto_Pares_-_BR +Spanish_P2P_WikiSprint/pt +EdTech_Posse_Podcast +Transleaders +Social_Versioning_System +Platform_Design +Hierarchy_of_Internet_Needs +Groundcrew +European_Working_Group_on_Libre_Software +World_Social_Web_Dialogue +Peter_Koenig_on_What_is_Money +User-driven_Marketing +Stuart_Karten_on_User-Driven_Innovation +New_International_Cultural_Division_of_Labour +Idea_Management_Platforms +Civility +Flickr_-_Governance +Meeting +Tim_Wu_on_Who_Controls_The_Internet +Milkymist +Knowing_Field +Gershenfeld,_Neil +Greenys +Transition_of_Governance_in_a_Mature_Open_Software_Source_Community +Local_Organic_Food_Networks_for_Sustainable_Consumption_in_the_UK +Registries_2.0_for_Copyright_2.0 +Libertarian_Neonomadism +Wizards_of_OS_4 +Second_Life_Herald +Occupy_World_Street +Logic_vs_Psychology +Self-managed_Healthcare_Cooperatives +Open_Design_Circuits +International_Enclosure_Movement +Social_Lives_of_Networked_Teens +Compensation_in_P2P_Networks +Commons,_Market,_Capital_and_the_State +IPRED2 +Open_Source_Definition +People%27s_Mic +Social_Media_and_Open_Education +Public_Sphere_Project +Digital_Data_Interest_Group +Open_eBook_Reader +Andrew_Trusty +Uncovering_the_Damage_of_Offshore_Banking_and_Tax_Havens +Green_Well_Fair +Mieke_Gerritzen_on_the_Next_Technologized_Nature +List_of_Invitees_to_the_Asia_Deep_Dive_Preparatory_Workshop_on_the_Commons_and_Economics +Redecentralize +Social_History_of_the_MP3 +Desktop_Medicine +David_DeGraw%27s_Proposals_for_Common_Ground_for_the_99_Percent_Movement +HearMeSeeMe_Web +Understanding_User-Driven_Innovation +Emergence_of_Governance_in_the_FreeBSD_Project +Public_Banks +Robert_Scoble_on_Data_Portability +Legal_Sol +Protocollary_Power +Open_Source_Geographic_Information_System +Dreamups +3D_Solar_Sinter_Prints_on_Sand +Permis +Mental_Transaction_Costs +Group_Works +Peer_to_Peer_Petsitting +Khan_Academy +Open_Manufacturing_Standards +Open_Food_Foundation +Foundation_for_Ecological_Security +Ubuntu_Greece +Learning_in_the_Age_of_Networked_Intelligence +Geneva_Declaration +Counterfeit +Video_Streaming +Transparency_and_New_Technologies_Initiative +Superstar_VJs +Vinay_Venkatraman_on_Technology_Crafts_for_the_Digitally_Underserved +Open_Distribution +Stefan_Tuschen +Factory_Without_Walls +Globalization_of_Internet_Governance +User-Capitalized_Networks +Deliberation +Linux_Foundation +Voluntary_Collective_Licensing +Syndicom_Spineconnect +User_Manufacturing +Michael_Nielsen +Game_Based_Learning +Ben_Dyson_and_Andrew_Jackson_on_Positive_Money_Reform +Unschooling +David_Smith_on_a_Meaningful_Life_Being_of_Use +RDF_Schema +Targeted_Sousveillance +Elizabeth_Peredo_Beltr%C3%A1n +European_Network_for_Copyright_in_Support_of_Education_and_Science +Privacy_on_Amazon +Introduction_To_Open_Source_Software_Development +Cognitive_Dissonance_and_Non-adaptive_Architecture +Machine_Interoperability_Protocol +Co-Creating_Health_Services +Viable_Systems_Model +Free_Business_Models +Rise_of_Digital_Common_Law +GradeGuru +Grupo_NER/es +Introduction_to_Hackteria%27s_Open_Source_Biological_Art +Crowd_Aid_Exchange +Daniel_Kevles_on_Patenting_Life +Standby_Task_Force +Free_Art_License +Interest +Productive_Paradigms_in_the_Digital_Era +Associationism_in_Epistemology +Logical_Matrix +Creative_Commons_-_Governance +Citizen_Dialogue_and_Deliberation +Open_Currency +Social_Studying +Coordinated_Cooperation_vs_Subordinated_Cooperation +Examing_the_Prisoner%27s_Dilemma_and_whether_Natural_Selection_Favors_Selfish_Behavior +James_Surowieki_on_the_pitfalls_of_the_Wisdom_of_Crowds +Martin_Scheffer_on_Critical_Transitions +Revolution +User-Owned_Wireless_Networks +Cluster_Theory_of_Open_Source_Economics +Victoria_Stodden_on_Framing_the_Open_Science_Movement +Circulation_of_Struggles +Open_Proof_Software +Dream_Politics +Rebecca_MacKinnon_on_the_Internet_in_China +DemoEx +Revolution_and_Counter-Revolution_in_the_Information_Age +Local_Scrip_Money +Ethics_of_Sharing +Panarchy_Economics +Brickstarter +Citizens_Foundation +3D_Fabbing +Credit_as_a_Public_Utility +Alternative_Forms_of_Common-Interest_Communities +Tapatio +Core_Peer-2-Peer_Collaboration_Principles +Peer-to-Peer_Social_Change +John_Keane_About_the_Life_and_Death_of_Democracy +Authorship_Through_Networks +Dot_Root_Consortium +%CE%A3%CE%BA%CE%AD%CF%88%CE%B5%CE%B9%CF%82_%CE%BA%CE%B1%CE%B9_%CE%A0%CF%81%CE%BF%CF%84%CE%AC%CF%83%CE%B5%CE%B9%CF%82_%CE%A3%CF%87%CE%B5%CF%84%CE%B9%CE%BA%CE%AC_%CE%BC%CE%B5_%CF%84%CE%B9%CF%82_%CE%A4%CE%B5%CF%87%CE%BD%CE%BF%CE%BB%CE%BF%CE%B3%CE%B9%CE%BA%CE%AD%CF%82_%CE%A0%CF%84%CF%85%CF%87%CE%AD%CF%82_%CF%84%CE%B7%CF%82_%CE%9F%CE%B9%CE%BA%CE%BF%CE%BD%CE%BF%CE%BC%CE%B9%CE%BA%CE%AE%CF%82_%CE%91%CE%BD%CE%AC%CF%80%CF%84%CF%85%CE%BE%CE%B7%CF%82_%CE%BC%CE%B5_%CE%91%CF%86%CE%BF%CF%81%CE%BC%CE%AE_%CF%84%CE%BF_%CE%A0%CF%81%CF%8C%CE%B2%CE%BB%CE%B7%CE%BC%CE%B1_%CE%BC%CE%B5_%CF%84%CE%BF_%CE%91%CF%81%CF%87%CE%B5%CE%AF%CE%BF_%CF%84%CE%B7%CF%82_%CE%95%CE%A1%CE%A4 +Rise_of_the_Micro-Multinational +Ayad_Al-Ani_on_How_Free_Producers_are_Changing_Enterprise_and_Politics +Virtual_Property_Problem +New_Money_for_Healthy_Communities +Distributist_Approach_to_the_State +Chris_Kemp_about_the_Nebula_Open_Source_Cloud_Computing_System_for_NASA +Clearing_Union +MO_Interview_met_Michel_Bauwens +Nea_Guinea_Collective +Wales,_Jimmy +Open_Source_Rapid_Prototyping +Open_Graphics +Economie_des_communautes_mediatees +Clive_Young_on_Fan_Cinema +Participatory_Government_Initiatives +Ecovillages +Feed2Podcast +Food_Commons +Indymedia +OSD_Open_Source_Device +Evolving_Role_of_Open_Source_Software_in_Medicine_and_Health_Services +Logical_negation +Open_Source_Energy_Management_Systems +Open_Market +KeyRing +How_you_can_help_us%3F +Autonomy,_Labour,_and_the_Political_Economy_of_Social_Media +Ethan_Zuckerman_on_the_History_of_the_Internet +Open_Source_at_Microsoft +Primary_vs_Secondary_Individual-Group_Mentality +Free_Schooling_Movement +Air_Quality_Egg +Debategraph_Commons_Memes_Map +Personal_Manufacturing_-_Business_Models +Open_Source_Cloud_Computing +Essays_on_Open_Educational_Resources_and_Copyright +Interviews_about_the_Hyperlocavore_movement_and_Yardsharing +Neighborhood_Sharing_Sites +People-centred_Global_Governance +Onderwijsrevolutie_of_nieuwe_vorm_van_sociale_uitsluiting +Ogilvy_PR%E2%80%99s_Blogger_Outreach_Code_of_Ethics +Grid_Computing +Heather_Holdridge_on_Civic_Online_Campaigns +Open_Source_as_Social_Process +Global_Commodity-Production_Network_Mapping +Companionism +Grand_Text_Auto +Device_2.0 +Socially-Embedded_Markets +Open_Manufacturing +Property_in_the_Transition_from_Marx_to_Markets +Journal_of_Free_Software_and_Free_Knowledge +P2pFoundation:Help +Why_It_Is_Crucial_that_Peer_Production_Companies_Refuse_Venture_Capital_Investments +Jeff_Jarvis_on_the_Internet_as_a_Connection_Machine +Widely-Distributed_Batteries_for_Renewable_Energy_Storage +End_of_Control +Dan_Sullivan_on_Capturing_the_Value_of_the_Commons_through_a_Land_Value_Tax +Future_Learning_Spaces +Towards_a_System_of_Resilent_Finance_and_Banking_based_on_Peer_Credit +Bottom_Up_Era +Mental_Capitalism +Design_for_sustainability_is_inherently_participatory +Upload_Cinema +Energy_Theory_of_Value +Collective_Intelligence +Civicus +Open_Identity_Trust_Framework +Wiki-Based_Participatory_Legislation_Tools +Polychronic_Learning +Media_Lab_Culture_in_the_UK +Charter_of_Knowledge_Workers_Rights +Tero_Toivanen +Hacker_Manifesto_v2 +3.3.C._Beyond_Formalization,_Institutionalization,_Commodification +Desktop_Chemical_Processing +Value_Theory_of_Labor +Towards_A_Complete_Web-Based_Trading_Platform +Credit_Union +Fiscal_Myth_of_Tax_and_Spend +P2P_Investment_Network_Model +Numerati +Modelos_Sostenibilidad +HTTP_402 +We_Need_Clean_Company_Tax_Benefits_for_Personal_Manufacturing +Social_Kitchens_-_Food_Distribution +FLO_Solutions_Meeting_1_-_10/6/11 +Triumph_of_the_Commons +Rooftop_Revolution +Deliberative_Democracy_Consortium +Open_Product_Forge_Design_Directory +Clay_Shirky_on_Collective_Action_through_Social_Networking +Elinor_Ostrom_on_Social_Capital +Fused_Deposition_Modeling +NetDevice +Relating_to_Objects +Pleonexia +Open_Capital_Partnership +MTConnect +Japanese_Bicycle_Industry +Paul_Lamb_on_the_Impact_of_the_Web_on_Nonprofits +Open_Invention_Network +RSS_in_Plain_English +Michel_Bauwens:_Come_l%E2%80%99abbondanza_immateriale_pu%C3%B2_assistere_un%E2%80%99economia_stabile +Panel_on_the_State_of_Technology_in_the_US_Presidential_Elections_in_2012 +Rajen_Sheth_on_Tags_and_Privacy +Why_Matrifocal_Societies_Use_Dual_Currencies +Stoneleigh_on_the_Converging_Double_Dip_Effects_of_Peak_Oil_and_Peak_Finance +Deliberative_Democracy_and_Public_Consultation +Dave_Mellis +Class_Action +Therese_Weel +Anticommons_in_Biomedical_Research +Importance_of_neotraditional_approaches_in_the_reconstructive_transmodern_era +Vidya_Ashram +Bid_and_Borrow +Open_Cloud_Manifesto +Society_for_Amateur_Scientists +Economic_impact_of_free_software +Personal_Fabricator +Masque_Una_Casa +Paul_Beech_on_Building_a_Maker_Business +Justice +Douglas_Rushkoff_on_Present_Shock +Robert_Steele_on_Citizen_Intelligence +Taxonomy_of_Open_Source_Business_Models +Solidarity_Economy_in_Japan +Personal_Circuit_Makers +Neil_Gershenfeld_on_Personal_Fabrication +Socially-Driven_Value_Creation +Introduction_to_Calgary_Dollars +Peer-to-Peer_Product-Service_Systems +Fabbing_Foundation +Groop_US +Social_Classification_in_the_Control_Society +Open_Universal_Dividend_Currency +Potential_costs_and_risks_of_using_crowds +Center_for_Compassion_and_Altruism_Research_and_Education +What_Are_the_Rules_for_Co-Creation +Bleep +Green_Revolution_2.0 +Bruce_Lipton_on_Why_Natural_and_Human_Evolution_is_Communal,_not_Individual +Handmade_Pledge +Jennifer_Davison_on_the_(E)Valuation_of_Scientists +Peer_to_Peer_Review +Citizen%27s_Dividend +Public_Banking_Institute +Digital_Culture_and_Mobile_Communication_Group +Open_Definition +Resilient_Building_Design_Principles +Communitarian_Theory +Port_de_la_Selva_Fishing_Cooperative +On_the_Need_for_a_Integrative_Framework_for_the_Provisioning_Economy +Social_Choice_Theory +Innovation +Green_Capitalism +Open_Source_Drug_Discovery_Foundation +Chris_Anderson_on_the_3D_Printer_Revolution +Technological_Singularity +Knowledge_Building_Community +Intraverse +Collaborative_Content_Distribution +Open_Source_Economic_Principles +Command_Line_Reviews_Lawrence_Lessig%27s_Free_Culture +Pseudonymity +We_Are_Smarter_Than_Me +PeerJ +Society_for_the_Gift_Financing_of_Creation +Bajwa,_Fouad_Riaz +Tactical_Urbanism_Salon +Visions_of_Cities_Towards_a_Low-Energy_Future +Open_Design_Now +Reputation_Aggregators +Emergence_of_Benefit-Driven_Production +Nevangelists +Peers +Toma_Parte +Cardinal_Human_Principles +Open_Source_Automated_Irrigation_System +Nathaniel_Tkacz +Collaborative_Citizen_Journalism +Van_Jacobson_on_the_History_and_Future_of_Networking +New_International_Division_of_Cultural_Labour +Group_Buying +Glocal_Infrastructures_of_Cooperation_for_the_Common_Good +Dream +MakerBot +Amical_Viquip%C3%A8dia/es +Flash_Causes +Student_as_Producer +Alternative_Currencies +Open_Source_Biotechnology +Open_Source_Voucher_Payment_Project +Sage_Commons +Helena_Norberg-Hodge_on_the_Economics_of_Happiness +Economics_as_a_Science_of_Infrastructure +Stitch_Tomorrow +GISS +Co-production +Government_as_Platform +OWS_Art_Gallery +Keeping_Local_Agriculture_Alive_through_Land_Trusts +PowerHouse +Alasdair_Roberts_on_the_End_of_Protests +We_Think +Epistemic_Communities +ActLab_TV +Gnostic_Intermediaries +Multilateralism_and_Global_Risks +Building_Consensus +Automake +In_the_Shade_of_the_Commons +Contemporary_Commons-Oriented_Movements +McGuire,_Hugh +Nerd_TV +Infrastructure_Commons +Neuro_Commons +LETSaholic_Twist +Global_Network_Initiative +The_Money_Masters +Open_Cloud_Computing_Software +Saki_Bailey_on_Governing_the_Wealth_of_Urban_Commons_Beyond_Ownership +Mongolian-Language +DisparaLaPalabra/es +Civic_Democratic_Institution +Peer-to-peer_i_przysz%C5%82o%C5%9B%C4%87_kapitalizmu +Stable_Economic_Value_Representation_for_All_Agents_and_All_Transactions +In_a_nutshellGR +Mark_Charmer_on_Open_Source_Water_and_Sanitation_Solutions +Polycentric_Governance_Systems +4._P2P_in_the_Political_Sphere +Modular_System +Ripple +Community_Building +Wikileaks_Interviews +Powerdown_Scenarios +Open_Feedback_Publishing +Occupy_This +ARTECHMEDIA +Richard_Nelson +OPLAN_Foundation +Open_Source_Prosthetics +Larry_Harvey_on_Burning_Man +Open_Source_Brain_Computer_Interface +Revolution_in_Cairo +Paul_Duguid_on_The_Social_Life_of_Information +Traumatised_Society +Measuring_What_Matters +Speaking_in_Stack_at_the_Occupy_Movement +Why_the_Commons_Needs_To_Be_Catholic +Startup_Exemption_for_Crowdfunding +Open_Mesh +Defining_Post-Industrial_Design +James_William_Gibson_et_al_on_Radical_Gardening +Museo_Virtual_de_los_Telefonistas/es +Anthropology_of_Hackers +Hannes_Foth +Climate_Farmers +Global_May_Manifesto_of_the_Occupy_Movement +Interview_with_Dmitry_Orlov_on_Reinventing_Collapse +Digital_AlterNatives_with_a_Cause +Michael_Geist_on_the_Anti-Counterfeiting_Trade_Agreement +APML +Structural_Separation +Stephanie_Mills_on_Ecological_Limits_to_Knowledge +Holacracy +Michel_Bauwens_on_Open_Source_Culture_and_its_Solutions_for_Global_Problems +Pull_Economy +Social_Capital +Community_Supported_Manufacuring +Logic_of_Affinity +Net_Metering +Michel_Bauwens_on_Scarcity_Engineering +Jonathan_Gordon-Farleigh +Sharing_Imperative +Labour_Credits +Scientific_Collaboration_on_the_Internet +Open_Guild +Dispossessed +Publicly_Supported_vs_Centrally_Controlled_Education +Peer_Money +Peer-To-Peer_banking +Literacy_of_Cooperation +Farm_for_the_Future +Subjective_Enumeration +Open_Source_Spatial_Tools +Cloud_Computing_as_Enclosure +Free_University_of_San_Francisco +Siva_Vaidhyanathan_on_the_Impact_of_Print_on_Knowledge_and_Culture +Port%C3%A9e_et_limites_du_mouvement_des_%C2%AB_communs_%C2%BB +Knowledge_Federation +Notes_on_a_Plural_Future_Spirituality_with_Plural_Identities +Joe_Corneli +User_Motivation +Digital_Media_and_Popular_Uprisings_Panel +John_Perry_Barlow_Debates_Movie_Filesharing +P2P_Mesh_Networks +Di_Lampedusa_Principle +Video_Introduction_to_Copyright_and_Fair_Use +Festival_Audiovisual_CC_Medell%C3%ADn/es +Stephen_Lansing_on_Bali%27s_Water_Temple_Cooperation_System +De-Monetarization +Electrical-Mechanical_Component_Parts_of_Hardware +Game_Currencies +Real_Copyright_Reform +Charles_Leadbeater_on_Collaborative_Innovation +Riane_Eisler_on_the_Real_Wealth_of_Nations_and_Caring_Economics +Netdevice +Shareit +Cooperative_Federalism_versus_Cooperative_Individualism +Free_Culture_Movement +Leasing_Society +Ciclorotas_Centro +Innovative_Medicines_Initiative +Transmodern_Science +Wiki_Creole +Franz,_Vera +Carlsson,_Chris +Upgrade_Democracy +Foundations_of_Athenian_Democracy +Argo_Ocean_Profilers +Center_for_Sustainable_Farming +Open_Source_3D_Human_Character_Making +Publishing_and_the_Ecology_of_European_Research +Clay_Shirky_on_the_Falling_Barriers_to_Group_Action +Claude_Shannon_on_Information_Theory +Craigslist +Mach_30_Open_Design_Pledge +Vieira,_Miguel +Introduction_to_Digital_Democracy +Online_Tools_for_a_Sustainable_Collaborative_Economy +Social_Awareness_Streams +Matter,_Makers_,_Microbiomes_and_Generation_M +Open_source_appropriate_technology +Supercool_School_Screencast_on_Citizen_Pedagogy +Zuboff,_Shoshana +Community-Led_Transport_Initiatives +Occupying_the_Commons +4%C2%BA_Inclusiva-net_Meeting +Upverter +Iron_Sky +Financing_the_Sharing_Economy +Evergreen_Initiative +Fractal_Company +Science_of_Human_Goodness +Transnationality_Index +David_Graeber_on_the_Occupy_Movement +Proportianate_Precautionary_Principle +Increasing_Scope_of_Accessability_of_Technology +Sovereign_Currency +What_this_essay_is_about +Maps_of_the_Social_and_Solidarity_Economy +Thai_Netizen_Network +Glocal_Democracy +Gudrun_Merkle +Social_Venture_Funding_Groups +Gregory_Kramer_on_Interpersonal_Meditation_into_Mutuality +Social_Growth_as_Model_for_Progressive_Economic_Policy +Toby_Hemenway_on_Permaculture_and_Sustainability +Bar_Camp +BarCamp +Transforming_Finance_through_Ethical_Markets +Bernard_Lietaer_on_Money_and_Sustainability +Open_Source_Jihad +Tragedy_of_the_Commons_in_Science +Being_in_Common +Art_and_the_Media_when_Everybody_Participates +Alliance_of_Community_Trainers +Stacey_Murphy_on_Farm_Share +Inclusive_Democracy +Towards_Policies_in_Support_of_Collaborative_Production +Networked_Participatory_Design_Systems +Broadband +Farmer_Landowner_Match_Program +Typology_of_Governance +Grid_and_Group_Theory +Normative_Science +David_Ronfeldt_in_Dialogue_with_the_Partner_State_Concept +Sala_Alberdi/es +Idea_and_Suggestion_Management +Meeting_1_-_10/6/11 +Raffael_K%C3%A9m%C3%A9nczy +Mitch_Altman_on_Hackerspaces +Relation_Composition +Adam_Fisk +Researching_Ownership_and_Legal_Title +What_Should_We_Tax +CNC +Anne_Barron +Copyright,_Ethics_and_Theft +Prospective_EcoSocial_Ontology +Amber_Case_on_Cyborg_Anthropology +Medical_Knowledge_Sharing +Four_Principles_and_Corollaries_of_Network_Society_and_the_New_International_Governance +OpenCourseWare_Consortium +Brewtopia +Kevin_Carson_on_Enclosing_the_Abundance_of_the_Third_Industrial_Revolution +Laissez-Faire +Hipatia +Slavoj_Zizek_on_What_It_Means_To_Be_a_Revolutionary_Today +Commons_-_Regulation +CACIM +Bill_Gammage_on_how_the_Aboriginals_Crafted_their_Landscape +Interpersonal_Neurobiology +International_Open_Source_Network +Common_Land_-_UK +Michael_Lauer_on_Open_Moko_and_the_Neophone +Community_Rights +Employee-centric_Government +Italian_Bio_of_Michel_Bauwens +Revenge_of_the_Electric_Car +Means_of_Exchange +Community_Solar_Financial_Model +Community_Currencies +SSG_Framework +Bank_of_the_Future +Citizen-Led_Politics +Lala +Growing_Energy_Labs +Food_Subscription +Fund_I/O +Locavesting +Bruce_Schneier_on_the_Importance_of_Trust_in_Society +On_Classical +Baugruppen_Housing_Model +Casa_da_Videira_-_BR +Near_Future_Education_Lab +Inner_Democracy +Michael_Hudson_and_Stephanie_Kelton_on_Modern_Monetary_Theory +Collective_Invention_of_Blast_Furnaces +Green_Grid +Personal_Manufacturing_Companies +OER_Donations-Based_Funding_Model +Collaborative_Creation_Platforms +Defining_Open_Educational_Resources +Burns_Weston +Cap,_Auction,_and_Dividend +Precarious_Labour +New_Sharing_Economy +Overcrowded +Community_Way +Wikitorial +Online_Barter_Markets +Gift_Circles +Collaborative_Learning +Multi-local_Societies +Georgios_Papanikolaou +GitHub_For_Science +Online_Engagement_Matrix +Hackmeets +Freelancers%E2%80%99_Movement +Eight_Design_Principles_for_Common_Pool_Resource_Systems +Potato_Trust +MBA_on_Participatory_Economics +Personal_Fundraising_Appeal_by_Michel_Bauwens,_P2P_Foundation +Nxt +Gene_Koo_on_Web-enabled_Democracy_for_the_Obama_Administration +Elliot,_Mark +Circulation_of_the_Common +Open_Ideo_Design_Quotient +Pyramiding +Sortition +Social_Cloud +Failure_of_Capitalist_Production +Extreme_Democracy +Open_Access_Central +OS_Geo +Popular_Defense_in_the_Empire_of_Speed_-_Dissertation +France%E2%80%99s_35-Hour_Week_As_Overall_Success +Participatory_Theory +PixelCorps +Lonny_Grafman_and_Curt_Beckmann_of_Appropedia_on_Open_Source_Appropriate_Technology +The_Open_Hardware_Certification_Program +Michelle_Long_on_the_Business_Alliance_for_Local_Living_Economies +Ravi_Logan_and_Jason_Schreiner_on_the_Prout_Model_of_Interdependent_Development +Peer-to-Peer-distributie +Open_Wonderland +Usury +Public_Utility_Commission +P2POD +P2P_Regulation +Daniel_Dietrich +War,_Conflict_and_Commemoration_in_the_Age_of_Digital_Reproduction +Rufus_Pollock_on_Open_Knowledge +Open_Source_Architectural_Design +Dictionary_of_Ethical_Politics +Todd_Kuiken_on_Responsible_Science_Practices_for_DIY_Biologists +Novella_Carpenter_on_Urban_Farming +Maker_Lab +Audio-Video_Players +For-Profit_Collective_Solar_Energy_Purchasing +B_Corporation +Why_the_Soviet_Internet_Failed +Alternative_Research_and_Scholarship_Metrics +Mobile_Media_in_21st_Century_Politics +Participation_Now +Open_Science_Framework +POSS +Mobilizing_Generation_2.0 +Economy_of_Ideas +Wholesome_Wave +Peter_Corning_on_Darwinism_and_Cooperation +Couros,_Alec +Mapping_Open_Science_Initiatives +Share_Alike +Internet_Bill_of_Rights +Simon_Phipps_on_Liberating_Java +Data_Web +Robert_Darnton_on_the_Two_Information_Systems_at_War_in_18th_Century_France +Open_PC +Open_Access_Fund +Social_Business_Design +Biology_is_Technology +Remix_Theory +Bitcoinproof +Endgame +Haunting_Author_in_the_Distribution_of_Ownership_and_Authority +Collective_Thinking +Citations_on_Underestimating_the_Impact_of_New_Technologies +Mediating_Democracy_Through_Proxy_Voting_and_Shadow_Parliaments +Michael_Linton +Networked_Privacy +Data_Retention +Reclaiming_the_Commons_Through_Grassroots_Activism +Martin_Cooper_on_a_Spectrum_Policy_for_the_21st_Century +Politi%C4%8Dka_Ekonomija_Istorazinske_Proizvodnje +Logic_of_the_Market_versus_the_Logic_of_the_Commons +Jaroslav_Vanek_on_Cooperative_Economics +Sixth_Wave_of_Liberation +Libre_Culture +Herve_Le_Crosnier +Working_Group_on_Extreme_Inequality +Occupy_Women%E2%80%99s_Network +Semio-Capitalism +Profit_Maximisation +Willi_Paul_on_Permaculture,_Alchemy_and_the_New_Mythologies +Communia(cooperative)/es +Global_Commonwealth_of_Citizens +The_Five_Literacies_of_Global_Leadership:_What_authentic_leaders_know +Open_Source_Photosynthesis_Measurement_Device +Wikimedia_Foundation_and_the_Governance_of_Wikipedia%E2%80%99s_Infrastructure +Jon_Young +Digital_Person +P2PFoundation:Info_Boxes +Systemic_Constellations +Wholesome_Power +Guided_Emergence +Open_Source_vs._Corporations +Cahan,_Bruce +Geoffrey_Moore_on_Open_Source_and_Capitalism +Attention_Data +Community_Company +Enspirited_Envisioning +Johnny_Ryan_on_Fair_Use_in_Europe +Lessig,_Lawrence +Scientific_Worldview +Machiavelli_2.0 +Society_of_the_Night +Networked_Enterprise +Open_rTMS_Project +Conversation_with_Ervin_Laszlo +Open_Source_Appropriate_Technology_Literature_Review +Logical_matrix +Commercial_Credit_Circuit +Crowdbuilding +Personal_Data_Streams +X_Prize_Foundation +Commons_Cooperative +Tim_Berners-Lee:_on_the_Next_Web_of_Open_Linked_Data +Aram_Sinnreich_on_the_Piracy_Crusade +Lens +Mediologie +Social_Network_Influence_Timeline +User-Filtered-Content +Chris_Anderson_on_Free +Neil_Howe_on_the_Fourth_Turning +Open_Source_Car +Sociology_of_Absences +Saul_Albert +DIY +Informal_Learning_Projects +OWL +Software_Radio +On_the_Unity_of_Cultural_and_Technological_Hackers +Indignados +Open_3DP +Participatory_and_Deliberative_Democracy_Conference +Vinay_Gupta_on_P2P_Infrastructure_Theory +Open_Picus +Smart_Cities_as_Democratic_Ecologies +Five_Literacies_of_Global_Leadership +Chilling_Effect_Clearinghouse +Equitable_Health_Research_Licensing +How_Writing_Came_About +Sumak_Kawsay +Tonido +Labour_and_Social_Movements_Confront_a_Globalised,_Informatised,_Capitalism +Counter-Mapping_Actions_as_Militant_Research +Open_Design_Water_Treatment_Plants +Open_Source_Credit_Ratings +Global_Common_Goods +Whole_New_Mind +Planetary_Geostructures +Guide_to_Citizen_Science +Citizenship_Relationship_Management +Portuguese-Language +Transmediale_2011_Panel_on_the_Activist_Potential_of_the_Internet +Learning_Webs +Prem_Sikka_on_How_We_Tackle_Tax_Evasion +Vlog_Trotter +What_is_the_P2P_Foundation_and_Its_Role_in_Research +Open_Branding +Open_Source_Genomics +Handasa_Arabia +Mayo_Fuster_Morell_on_the_Wikimedia_Foundation%27s_Role_in_Wikipedia%27s_Governance +Transformation_of_Istanbul%E2%80%99s_Urban_Commons +Dany_Hills_on_Freebase +Digital_Tools,_Distributed_Making,_and_Design +Realigning_Incentives_through_the_Power_of_the_Commons +Managing_the_Bazaar +Infrastructuring_the_Commons +Peeragogy +Role_of_Internet_and_Communication_Technologies_in_Sustainable_Consumption_and_Globalization +Sam_Bowles_on_Kudunomics_and_Property_Rights_in_the_Weightless_Economy +ID3_Workshop_on_Trust_Frameworks_and_Self-Governance +Barcamp +Alan_Bennett_and_Keith_Bergelt_on_Patent_Pools +Micro_ID +Blight_Status_New_Orleans +T.D.P_Cooperativa/es +Free_Culture_TV +Academic_Open-Access_Repositories +Audio_Compression +Networks_and_States +Resilient_Cities +Consequences_of_Fractional_Reserve_Banking +Living_Knowledge_Network +Dialogical_Nature_of_Human_Activity +Mount_Pleasant_Solar_Cooperative +Swarming_Intelligence +Alliance_of_the_Libertarian_Left +Metascore +Swadeshi +Conviviality_Metrics +P2P_Blog_Tool_of_the_Day +Vertical_Farming +Perl_Foundation +My_Tiny_Life +Organic_Economy_Model +Open_Studio +Micromedia_Platforms +Ontology_for_a_Supply_Chain_Network +Paul_Baran_on_the_History_of_Distributed_Networks_and_Packet_Switching +Open_Design_Guitar +Free_Woodworking +Panton_Discussions_on_Open_Data_in_Science +P2P_Network_Knowledge_Commons_Model +Community_Reserve_Exchange +Rational_Consensus +Jo%C3%A3o_Costa_Rosa +Open_Source_Initiative +Open_Field +Rise_of_Intellectual_Property +Jobs,_Liberty_and_the_Bottom_Line +Open_Architecture_as_Communications_Policy +Karl_Fogel_on_the_History_of_Copyright_and_Information_Ownership +Collective_Intelligence_and_Neutral_Point_of_View_in_the_Case_of_Wikipedia +Open_Badges +Demand-Side_Reduction_Cooperatives +Roger_Dingledine_on_Tor +Mission_critical_functionality +Copycan +Open_Economics +Obey +Laboratorio_del_Procomun +Mina_Ramirez +Ludocapitalism_and_the_scarcity_in_gaming_worlds +Michael_Nielsen_on_Doing_Science_in_the_Open +Public_-_Common_Partnership +Hybrid_Open_Source_Software_Business_Model +Jure_Leskovec_on_the_Community_Structure_of_Large_Information_Networks +Hacklab_de_Barracas +Co-intelligence +We_the_Web_Kids +Lawrence_Lohmann +Adama_Demb%C3%A9l%C3%A9 +Debian +Power_Law +Michel_Bauwens_on_the_Peer_to_Peer_Society +Clay_Shirky_on_Here_Comes_Everybody +Home_CMOS_Project +City_as_Platform +Open_Shakespeare +Tiziana_Terranova_on_Self-Organization_and_Knowledge +Sesawe +Participative_Technology_and_the_Ecclesial_Revolution +Cyberwar_Map +David_Ronfeldt_on_Commons_Policies +Richard_Reynolds_on_Guerilla_Gardening +Tim_Berners-Lee_on_the_Next_Web_of_Open,_Linked_Data +Florence_Devouard_on_Wikipedia_as_Social_Innovation +Discussion_sur_le_Revenu_Garanti +Wikia_Search +Anurag_Acharya_on_Google_Scholar +Open_Source_Advisory_Service +Dan_Gillmor_on_Civic_Engagement_in_a_Networked_Society +Truth_theory +Bunnie_Huang +From_Goods_to_a_Good_Life +European_Revolution +Gershenfeld,_Neal +Caring +Electricity-Backed_Currency_Proposal +Pirate_Box +Open_Data_Census_Challenge +National_Community_Land_Trust_Network_-_U.S.A +La_Radio_de_Todas/es +Clay_Shirky_on_the_New_Digitally_Social_Urbanism +Waterscaping +Philanthropy_Web +Local_Motion +Cyberspace_Romance +Zemlin,_Jim +Open_Source_Building +Culture_d%27Univers +On_the_Economic_Impact_and_Needs_of_the_Wealth_of_Networks +Race_Against_The_Machine +Alan_Chapman_on_Open_Enlightenment +Threebles +Participatory_Plant_Breeding +Open_Talent_Economy +Materiality_of_the_Intellectual_Commons +Project_Compassion +Open_Hardware_License +%CE%9F%CE%B9%CE%BA%CE%BF%CE%B4%CE%BF%CE%BC%CF%8E%CE%BD%CF%84%CE%B1%CF%82_%CE%A3%CF%85%CE%BC%CE%BC%CE%B1%CF%87%CE%AF%CE%B5%CF%82_%CE%B3%CE%B9%CE%B1_%CE%AD%CE%BD%CE%B1%CE%BD_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%BF_%CE%9A%CF%8C%CF%83%CE%BC%CE%BF +Motivation_to_Join_Peer_Production_Communities +Aram_Sinnreich_on_MondoNet_as_a_Truly_Independent_Internet +Open_Garden_Foundation +Activation_Network_Organizational_Frame +People%27s_P2P_Panopticon_PP2PP +Peer_to_peer_lending +Economic_Free_Software_Perspectives +Mesh_Networks +Creative_Commons_El_Salvador/es +Open_Source_Micro-Tasking_Platform +David_Coleman_on_the_Best_Research_in_Collaboration +Open_Source_Home_Transformation +Clay_Shirky +Community_Land_Trusts +Equal_Share_Fisheries +Diana_Leafe_Christian_on_Ecovillages +Transparent_Government +CC_Learn +OpenCog_Foundation +Stormhoek +Politieonderzoeken +UnCollege +From_Transmission_to_Communication +Web_2.0_and_the_U.S._Federal_Government +Jonathan_Zittrain_and_Lawrence_Lessig_on_the_Wikileaks_Information_Wars +Open_Source_Hardware_User_Group +Free_Software_Cooperatives +Balloon_Dog +Multiplicative_Abundance +Beth_Kolko_on_the_effect_of_Hackers_and_ProduSers_on_Creativity_and_Consumerism +Cropmobster +Rob_Carlson_on_Open_Source_BioDefense +Freecycling%E2%80%8E +Open_Source_Radio_Station_Management +Pay_for_Delay +Food_Rebellions +Local_Wiki +Value_Accounting +Issues_of_Copyright_in_the_Global_South +Open_Source_Industrial_Design +Michael_Hudson_on_the_Criminalisation_of_our_Economy_and_the_Financial_Crisis +Chuck_Collins_on_Inequality_and_the_Common_Good +Social_Energy_Tracker +Liquid_Organization_Model +Solution_Exchange_India +EU_Copyright_Directive_Panel +Collective_Choice_Systems +Wild_Law +Transparent_Media +Peer_Production_of_Educational_Materials +Health-Care-Sharing_Ministries +ECC2013/Infrastructure_Stream +Brief_History_of_P2P-Urbanism +Human_Scale +Harvard-MIT-Yale_Cyberscholar_Working_Group +Peer-to-Peer_Healthcare +Chili +Openness_as_a_Competitive_Advantage_for_Hardware_and_Manufacturing_Eco-Systems +38_Degrees +Ross_Dawson_on_Entreprise_2.0 +National_Accounts_of_Well-being +Sharing_Network +P2P_Public_Intellectuals +Social_Shopping +Object-Centric_Social_Network +O%27Reily,_Tim +Doc_Searls_on_Free_Range_Consumers +Resilience_Theory +Tara_Hunt_on_Building_Social_Capital_Online +Critical_Theory +Fred_von_Lohmann_on_the_Legal_Campaign_Against_Software_Developers_and_Users +Subbiah_Arunachalam +Christian_Fuchs +Knowledge,_Culture_and_Science_as_Commons +Open_Source_Router +Freemium_Business_Model +Music_2.0_Directory +Events_on_Commons_Economics +Community-Owned_Performing_Arts_Collectives +Perspegrity +Clippinger,_John +Mute_Public_Library +Social_Clinics_-_Pharmacies +Josef_Davies-Coates_on_Open_Coops_for_Permaculture +Digital-Coin_Rule_for_a_Free_Society +Peer_to_Peer_Risk_Allocation +Colin_Henderson_on_Blogging_in_the_Banking_World +Truetopia +Open_Mind_Initiative +Cyborg_Subjects +Spanish_P2P_WikiSprint/es +Creative_Commons_is_to_Free_Culture_what_Shareware_is_to_Free_Software +Flash +State_of_Music_Online +Creative_Archive_License +John_Thackara_on_Architecting_and_Designing_a_Sustainable_Future +Phillip_Long_on_Technology-Enabled_Active_Learning +Peer-to-Peer_Social_Web +Libre_Software_Engineering +Object_Copy_Protection +Program_on_Corporations,_Law_and_Democracy +Feast,_Famine_and_the_Rise_and_Fall_of_Civilizations +Infodesarrollo_Ecuador +People-Centred_Global_Governance +Lazzarato,_Maurizio +Community_Technology +Community_Governance_in_Digital_Commons +Eric_Holt-Gim%C3%A9nez_on_the_Synergy_between_Food_Movements +Open_Formats +Pre-Scarcity +Spark +Open_Guitar_Business_Models +Open_Places_Initiative +Long_Tail +Criticism_of_Google +Anil_Gupta_on_Appropriate_Technology_for_Agroinnovations +Open_Mind_Common_Sense +Temporalities_of_the_Commons +Open_P2P_Communities +Ryan_Bolger_and_Eddie_Gibbs_on_the_Emerging_Participatory_Churches +Electronic_Civil_Disobedience +Insight +Voggercon +Homesharing +Web_3.0 +Knowledge_Lab +Toner,_Alan +Program_or_Be_Programmed +Open-Source_Automated_Precision_Farming_Machine +Anti-Quota_Labor_System +Common_Wisdom +VON_Coalition +Politics_and_Social_Media +History_and_Future_of_Creative_Commons +Virtual_Consumption +Som_Energia/es +Veloso,_Drica +Componentization +Project_Meshnet +What_is_the_Meaning_of_Being_a_Commoner +Best_of_Rhizome +Axemaker%27s_Gift +Emotional_Circle +Broc_West_on_Solutions_To_Make_Your_Own_Media +Serious_Games +Florestan_Project/es +Patrizia_Di_Monte +Fuller,_Robert +Four_TIMN_Forms_Compared +Computer_and_the_Market +Nanotechnology_and_Global_Sustainability +Flaming +Fame_vs._Fortune_Dilemma +Free_Stores%E2%80%8E +Commons-Based_Provisioning_of_Opportunities_To_Learn +Not_Enough_Democracy_Protest_Map +Seigneurage +How_They_Vote +CyanogenMod +Microcontent_Publishing +LETS +Flipped_Classroom +Eben_Moglen_on_Free_and_Open_Software_as_New_Paradigm_for_a_Intellectual_Commons +Mark_Andrejevic +P2P_Computing +From_Intersubjectivity_to_Interbeing +Tacit_Governance +Why_Do_People_Persist_in_Embracing_Non-%C2%ADAdaptive_Architectural_and_Urban_Typologies +Backyard_Biology +UnionBook +Internet_Working_Group +Peak_Government +Konstantin_Kirsch_on_the_Self-Production_of_the_Minuto_Alternative_Currency +Open_Source_Economics +Boyle,_James +Virtual_Immortality_Video_Interviews +Timo_Hannay +German_language +Local_Industrial_Evolution_in_a_Low_Carbon_Future +Elgg +Indymedia%27s_Independence +Open_Platform_Humanoid_Project +Disintegrity +Levy,_Pierre +Drupal_Mutual_Credit_Project +Ethan_Zuckermann_on_Geekcorps +Anti-Credentialism +Currency_of_the_Commons_Transmediale_2011_Panel +What_Can_Governments_Do%3F +Narahari_Rao +Ward_Cunningham_and_John_Gage_about_the_Socialization_of_Creativity +Why_Patents_Should_Be_Abolished +Post_Hoc_Moderation_Model +Jared_Diamond_on_Why_Societies_Collapse +Collbarative_Content_Distribution +Henry_Jenkins_on_the_Role_of_Civic_Media_in_the_2008_U.S._Presidential_Election +Three_Laws_of_Open_Government_Data +Thrivability +Free_Culture +Markets_are_inefficient_for_non-rival_goods +Open_Fiber +Daemon +Technoidealism +Municipal_Open_Data_Movement +James_Robertson_on_Monetary_Reform_for_the_Mainstream_Economy +Images/ExtrACT +Metaweb +Open_SCAD +Funding_Emerging_Art_with_Sustainable_Tactics +USi_Organising_Network +Co-Design +Civil_Commons +RepTab +Adversary_Democracy +Crowdspirit +Here +FlossWorld +Social_Value_of_Shared_Resources +Why_Localization_is_Inevitable_in_a_Resource-Scarce_World +Don_Tapscott_about_Complexity_and_Collaborative_Problem_Solving +Telec%C3%A1pita/es +Why_Free_Software_is_Better_than_Open_Source +History_of_P2P_Filesharing_Research +Eben_Moglen_on_Social_Norms_and_Reputation_Capital_in_Free_Software +Altruistic_Economics +Anti-Censorship_Tools +Open_Science_at_Web-scale +Susan_Spencer_on_Open_Source_Digital_Patterns_Making +Free_the_Internet_Act +Comprehensive_Cooperative_Township +Global_Legal_Commons +Institute_of_Community_Reporters +Amir_Taaki_on_Bitcoin +Yanis_Varoufakis_on_the_Economics_of_Gaming_Worlds +Open_ICT4D +OccupyAsABusinessModelTheEmergingOpenSourceCivilisation +Participatory_Politics_Foundation +Masa_Cr%C3%ADtica/es +About_The_Foundation +Dewey_Music +Decision_Rights +Energy_Credits +Organic_Open_Source +Videobridging +Microstardom +P2P_Wiki +Jon_Jandai_on_the_Pun_Pun_Permaculture_Seed_Commons_in_Northern_Thailand +Schachter,_Joshua +Open_Source_Methodologies +Student_as_Producer_as_an_Institution_of_the_Common +Center_for_Open_and_Sustainable_Learning +Fish_as_Commons +Manuel_Lima_on_the_Power_of_Networks_and_their_Visualization +Convergence_Education +Open_Core_Business_Model +New_Presence_Model +Open_and_Collaborative_Research_in_Biomedicine +Prashant_Varma +Wireless_Networking_in_the_Developping_World +Black_Block +Telecomix +Emergence +OAPEN +TrustCloud +Resource-based_economy +Alexandra_Carmichael_and_Jen_McCabe_on_Participatory_Medicine +Brahm_Ahmadi +Lost_Tradition_of_Biblical_Debt_Cancellations +Emergy +Social_Distribution_Networks +Bre_Pettis_on_Rapid_Prototyping +Tacit_Transactions +Edible_Estates +European_Digital_Rights +Free_and_Open_Source_Video_Software +Il_lato_oscuro_della_Rete +Kicking_Away_the_Ladder +Resource_Based_Economy_Foundation +Barak_Obama_on_the_Use_of_Social_Media_in_his_Electoral_Campaign +Open_Standards_Requirement_for_Software +Jacob_Appelbaum_and_Christian_Payne_on_Maximum_Distributed_Outreach_vs_Total_Surveillance_Control +Internet_%E2%80%93_History +Geo-location_Services +Solidarity_Co-ops +Open_Hardware_Cooperative +Four_Internet_Historiographical_Ideologies +Wireless_Ad_Hoc_Network +Blockupy +Data_Emergence_vs._Markup +Passport +Open_Students +Jonah_Bossewitch_on_Teaching_in_the_New_Video_Vernacular +Open_Source_Manufacturing_Tools +Peer_Governance_Seminar +Android_Open_Accessory +Dream_Hamar +SoMo +Anti-Web_2.0_Manifesto +3D_Earth_Printing_Construction_Technology +Rainbows_End +Szulik,_Matthew +OER_Endowment-Based_Funding_Model +David_Harvey +Whole_Cost_Accounting +Cooperation_Studies +Enterprise_Social_Software +ORCID +Cryptocurrency_Legal_Advocacy_Group +Copyfight,_Pirataria_and_Cultura_Livre_-_BR +SOLIS +Open_Source_Web_Conferencing +TZM_Defined:_Preface +Wisdom_of_Crowds +Rob_Carslon_on_Safety_and_Security_Concerns_for_Open_Source_BioDefense +Netcentric_Management +Stanislas_Jourdan +Socially_Distributed_Cognition +Customer-Made +SXSW_Talk_on_Commons-Based_Business_Models +Espa%C3%B1a +Semitone_Open_Dimmer_Project +Open_Clip_Art_Library +SeeClickFix +Open_Source_Party +Microgrids_as_Conceptual_Solution +Eric_Olin_Wright_sur_le_Revenu_Garanti +Evergreen_Cooperative_Model +Open_Mesh_Networks +Three-pronged_Strategy_for_Openness +Edo_Period_in_Japan_-_Sustainability +Expressions_and_Embeddings_of_Deliberative_Democracy_in_Mutual_Benefit_Digital_Goods +Juliet_Schor_on_Plenitude_through_Building_a_Post-Work_Society_with_Resilient_Community_Technologies +Sauti_Ya_Wakulima_-_Tanzania +Zofia_Lapniewska +Bien_Publics_a_Echelle_Mondiale +Consensus_Decision-Making +Creating_Good_Work +DIY_Open-Source_Aerial_Surveillance +Credit_and_State_Theories_of_Money +Open_Entropy +Citizen_Stake +Theorizing_Agency_in_User-Generated_Content +Microphilanthropy +Climate_Change_Project_Matching_Platform +Marc_Boucher +Farmer-Scientist_Partnership_for_Agricultural_Development +Forschungsnetzwerk_Liquid_Democracy +Layer_by_Layer +Noosphere +OpenID_Foundation +WikiEducator_Community_Council +Debt_Forgiveness +CoSpaces +Twine +Jimmy_Wales_on_Wikia_Search +BitTorrent_Live +Audio-Video_Editing +Partnership_Models +Revue_du_Mauss +MIT%27s_Kwan_Lee_on_the_Future_of_Viral_Radios +Free_Map_Wiki +Participatory_Management_-_Semco +Telecommunications_as_a_Civic_Sector +Acquaintanceship +Veillance +Technology_and_Society +Landlordism +Coopercate +Great_Lakes_Commons_Initiative +Design_Science_License +New_Materialism +Coopetition +Fabrication_Media +Aurea_Social +Digital_Curator +Transnational_Fields +Open_Internet_Infrastructure +Craig_Newmark_on_his_experience_with_Craigslist +Jonathan_Zittrain_on_The_Future_of_the_Internet_and_Civic_Technologies +Relational_Art +Danny_O%E2%80%99Brien_on_ACTA +P2P_Blog_News_of_the_Day +Learning_Playlist +Massimo_Menichelli_on_the_State_of_Open_P2P_Design +Internet_for_the_Common_Good +Internet_TV_vs._IP-TV +Community_Supported_Baking +Federated_Social_Web +FidoNet +Emerging_Ownership_Revolution +Learn_Out_Loud +Sneer +KlinikaSoft/es +Proposal_for_Integral_Macropolitics +Guifi_Net +Political_Economy_of_Trust +Constructing_Resilient_Futures +TransArchitecture +Recovering_Internationalism +Latvian-Language +Wiki-Based_Participatory_Policy-Making +Tom_Raftery_on_the_Smart_Grid_and_Electricity_2.0 +James_Boyle_on_the_Economic_Irrationality_of_Copyright_Rules_on_the_Internet +Open_Air_Laboratories_Programme +Systemic_Action_Research +Media_Education_for_the_21st_Century +Judge_Me +Fixers_Collective +User-Led_Innovation +Social_Media_Monopolies_and_Their_Alternatives +How_to_contribute +Ciclorotas_Centro_-_BR +Adriana_Cronin-Lukas_on_How_Blogging_is_Affecting_Corporations +OER_Staffing_Models +Philippe_Aigrain_on_the_Commons_as_a_Challenge_for_Classic_Economic_Patterns +Economic_Majority +Community_Kitchens +Societal_Constitutionalism +Complementary_Credit_Networks +OpenOtto +Global_Auction_of_Public_Assets +Joy_Tang_on_Networked_Improved_Community +Tloka +Reputation_Rights +Fried,_Limor +Manufacturing_for_Design_Professionals +Suresh_Fernando +Flower_Commons +CrowdSpirit +FOAF +FOAM +W3C_Open_Annotation_Community_Group +Worgl_Shillings +Latele.cat/es +Arduino_-_Business_Model +Multistakeholder_Governance +Comunes_Association +Eric_Von_Hippel_on_Democratizing_Innovation +OER_Contributor-Pay_Based_Funding_Model +Open_Public_Services_in_the_UK_2013 +Hackerspace +In_a_dematerialized_economy,_sharing_is_better_than_owning +Chardin,_Pierre_Teilhard_de +Neopets +Yochai_Benkler_on_Peer_Production +Finland +Phatic_Communication +Open_Source_Washing_Machine_Project +Customer_Network_Value +Zooko%27s_Triangle +Concurrent_Estate +Open_Innovation_Speaker_Series +Anti-Authoritarianism_(Philosophy) +YouTube_Effect +Free_Record_Shop_en_de_p2p_strijd +Affinity_Group +Continuous_Media_Web +Citizen_Science_Alliance +Call_for_a_Joint_Research_Group_for_Peer_Production +Extimacy +Non-capitalist_Markets +Gineagrotis_-_Greece +Access +Open_Hardware_Summit +International_Currency_System_Engineering_Group +Mozilla_Foundation +Free_Gamer +Project_Implicit +Bernard_Stiegler_and_the_Question_of_Technics +Open_Source_Home_Energy_Management_Systems +Michael_Zimmer_on_Information_Privacy +KeyWifi +TopCoder +Commons_Animateurs +Technological_Revolutions_and_Financial_Capital +Relational-Cultural_Model_of_the_Self +James_Quilligan +Open_Graphics_Development_Board +Clearbon +Egypt,_Activism,_and_The_Role_of_Social_Media +I2P_Anonymous_Network +DOOC +Revolution_OS +ECC2013/Working_and_Caring_Stream/Documentation +Fan_Videos +Private-Investment_Community_Land_Trust +Openness_and_the_Future_of_Higher_Education +XRD +XRI +Provostial_Publishing +Wikispeed_Microfactory_in_Seattle_Explained +Agora_CC +Presentation_for_Future_of_occupy_magazine +Open_Data_Movement +Against_the_Smart_City +Social_Capital_Market_Manifesto_2.0 +Social_Networkng_Data +Open_Source_Guitar +P2P-4POD_-_Part_2 +Cyberlords_as_a_rentier_class +Guerilla_Translation +Voices_of_Transition +Biomimesis +Community_Water-Management_Systems +FanLib +Online_Communities_and_Open_Innovation +Open_Development_Method +John_Buckman_of_Bookmooch_on_Booksharing +Tragedy_of_the_Commons_in_the_Production_of_Digital_Artifacts +DIY_City +Commercial_Open_Source_Biotechnology +Digital_Lyceum +Networks_Without_a_Cause +Code_Forking,_Governance,_and_Sustainability_in_Open_Source_Software +Earth_Community_Economy +Minimal_Compact +Why_Design_Cannot_Remain_Exclusive +Making_Videos_Without_Proprietary_Software +Rights_of_Common +Attention_Scarcity +Anti-Defense +Resilient_Communities +Ouvaton +Comment_Management_Responsibility +People_Finder_Interchange_Format +Media_Work +Social_Dynamic_Graph +Physical_Design +Via_Campesina +War_and_the_Tragedy_of_the_Commons +Teenage_Liberation_Handbook +Integrated_Cooperative_in_Catalonia +3D_Hubs +Douglas_Rushkoff_on_Corporatism +Kannel +Emerging_Economic_Paradigm_of_Open_Source +Eric_von_Hippel_on_Lego_Mindstorms_as_Open_Innovation +Design_in_Communal_Endeavours +Influencism +Stefano_Serafini +Advocacy_Organizations_for_Open_Access +Wayne_Marshall_on_the_Bottom-Up_Revision_of_the_World_of_Music +Sock_puppet +Cognition-as-a-Service +Unified_Architectural_Theory +World_of_Free_and_Open_Source_Art +Joonas_Pekkanen_on_the_Open_Ministry_Platform_for_Crowdsourced_Legislation_in_Finland +P2P_Foundation_Channels +Piracy_Crusade +Wi-Fi_Done_Right +Prosumer_Commodity +Government_Policy_Using_the_Internet +21st_Century_Socialism +The_Three_Tails +Project_Gutenberg_Sheet_Music_Project +Libre_Resource +Social_Infrastructure +Open_Source_Supercapacitor-Powered_Portable_Speakers +Beyond_Exchange +Dymaxion_Principles +Stephen_Lacey_on_the_Renewables_Gap +Collaborative_Networks_and_the_Productive_Precariat +Michael_Hudson_on_Progressive_Taxation_Policy +3D_Printing_Community_and_Emerging_Practices_of_Peer_Production +Post_Carbon_Institute +Software_libre_enpresak/eu +Transforming_Capitalism +Angela_Maiers_on_Digital_Literacies +Collective_Leadership +ArduPilot +Precarity_Movement +Public_Resource_Network +Meraki_Mesh_Networks +Open_Source_Software_-_Business_Aspects +Matthias_Kroner_on_Community_Banking +Rise_of_the_Indignant_in_Spain,_Greece,_and_Europe +Fire_in_the_Shanty +New_Networked_Social_Operating_System +Centre_Republicanism +Distributed_Open_Collaborative_Course +Libre_Graphics +Citizenship_Exchange_Project +Wolfgang_Hoeschele_on_the_Economics_of_Abundance +Telekommunisten_Manifesto +Free_the_Airwaves +Structures_of_Participation_in_Digital_Culture +1.1_The_GNU_Project_and_Free_Software +Wikihow +Edelman,_Joe +Freecycling +Guidelines_for_Free_System_Distributions +Autonomous_Universities_and_the_Making_of_the_Knowledge_Commons +Critique_of_Left_Politics +Local_Food +Open_Source_Design_Tools +Sophie_Ball +CivicApps +Electric_Meme +Open_Source_-_Community_Building +WPClipart +Yochai_Benkler_on_the_End_of_Universal_Rationality +Distributed_Generation +Toward_a_Political_Economy_of_Distributed_Media +Debal_Deb_on_the_Indian_Rice_Seed_Commons_Project_Vrihi +Synthetic_Biology_Caught_Between_Property_Rights,_the_Public_Domain,_and_the_Commons +Labour_Algorithms +Pablo_Rodriguez_on_ISP_Traffic_Shaping_Policies +Crowdfund_Investing +De_Angelis,Massimo +Entersource +Open_Citation_Project +GEDA +Common_Rights +Edupunks,_Edupreneurs_and_the_Coming_Transformation_of_Higher_Education +Psychic_Abundance +Open_Hardware_Space_Satellites +Res_Divini_Juris_Licence +Handicap_Principle +Christl,_Arnulf +Access_Principle +Social_Content +IWG_Digital_Strategy_Group +Pushbutton_Web +Wikiklesia_Project +Damon_Centola_on_Social_Science_Experiments_on_the_Internet +Tom_Steinberg_on_Innovations_in_Online_Activism_at_the_MySociety_Project +XXI-century_Alternative_to_XX-century_Peer_Review +Natalie_Pang_on_Access_Issues_and_the_Digital_Commons +Michael_Conroy_on_Certification_for_an_Ethical_Economy +Case_for_Public_Funding_and_Public_Oversight_of_Clinical_Trials +Ethan_Zuckerman_on_Global_Voices +Flight_From_the_City +End_of_Suburbia +Direct_Finance +New_services_for_People_Powered_Health +Evaluating_DRM +Bitcoin_Triple_Accounting +E-Democracy_2006_Videos +Open_Culture_Business_Models +CrowdVoice +Sovereign_State_and_Its_Competitors +Resilience +Cloud_Manufacturing +EyeWriter_Project +Mexnap_-_Russia +Interventions_for_the_Overly_Connected +Social_Innovation_Capital +Woody_Tasch +Platform +Indepedent_Workers_Firm +Pathways_through_Participation +Cyberception +Bifo,_Franco_Berardi +W%C3%B6rgl +World_Alliance_for_Citizen_Participation +Geolibertarianism +Gasifier_Experimenter_Kit +Alternative_Approaches_for_Protecting_Indigenous_Traditional_Knowledge +Desmond_Tutu_on_Ubuntu +Working_in_the_Community +Peace_on_Earthbench +MMOLE +Fostering_New_Governance_through_Participatory_Coordination_and_Communalism +Origin_of_Slow_Media +Kanari +Fablab_Common_Description_Language +Open_Public_Local_Access_Network +Crowdfunding-Based_Startup_Investments +Maleny_Cooperatives +Village_Capital +Cinquieme_Pouvoir +Collaborate_to_Compete +Trans_Market_Economies +Virtual_Regionalism +Global_Sensemaking +User-Owned_Fiber +Institutions_for_ICT4D +Frances_Fox_Piven_and_Stephen_Lerner_Discuss_Occupy_Wall_Street_Strategies +Trebor_Scholz_on_the_Exploitation_of_Digital_Labor_and_the_need_for_Distributed_Labour_Organisations +15M_Movement_-_Spain +Great_Transformation +Eben_Moglen_on_Open_Licenses_in_a_Web_Services_Era +World_Systems_Analysis +Resilient_Community +Annotation_Tools +Krawler +Beginner%27s_Join_to_Joining_Anomymous +Democratic_Reason +Boucher,_Marc +Boundary_Objects +Open_Documentaries +Green_Transition_Scoreboard +Study_Circle +Cycle_of_Belonging +Commons_in_Italy +SCORM +History_of_the_Open_Educational_Resources_Movement +Co-Creation_Forum +Open_Voting_Consortium +Ludocrat +What_Comes_After_Money +Felix_Stein +Netlables_and_Open_Content +Permaculture_Can_Feed_the_World +Quality_of_Identity +Complementary_Currencies_as_a_Pathway_To_Creating_New_Sustainable_Monetary_Systems +Essentials_of_Economic_Sustainability +Folksontology +Explaining_Different_Levels_of_Online_Engagement +Circular_Economy +Lars_Zimmermann +Wiki_Democracy +ADB_Open_Data_Platform +Eric_Harris_Braun_on_Open_Rules_Currencies +Open_Eyes +Nils_Gilman_on_Illicit_Global_Networks +Building_a_Stakeholder_Society_as_an_Alternative_to_the_Market_and_the_State +Fix_My_City +Freemium +OECD_Study_on_the_Participative_Web_and_User_Generated_Content +Land_Share_Systems +Curto_Caf%C3%A9 +Open_Opinion_Layer +E2C/title%3DE2C/Brief_Intro_to_E2C +The_Foundation_for_P2P_Alternatives +BIBO_Currency_Standard +Citizen_Marketers +Peter_Boettke_on_Elinor_Ostrom +Michael_Heller_on_Gridlock_and_the_Tragedy_of_the_Anticommons +Flim_Forge +Basherri/es +Personal_Car_Sharing +Peer_Production_and_Desktop_Manufacturing:_The_Case_of_the_Helix_T_Wind_Turbine_Project +Emerging_Science_and_Culture_of_Integral_Society +Personal_Robotics +Open_Food_Shed_Data_Standard +B-Corporation +Affinity_Earning +Complete_Guide_To_Freemium_Business_Models +Sparkle_Share +Social_Pharmacies +Social_Brainstorming +Swarm_Cooperatives +Introduction_to_the_Emerging_Collaborative_Economy +Our_Space +2.4_Property_and_Commons_(Nutshell) +Biological_Evolution_of_Friendlyness_as_Possible_Basis_for_Networked_Economy +Mozilla_Persona +Il_Manifesto_Interview_of_Michel_Bauwens +Occupied_Wall_Street_Journal +Ubuntuism +Open_Source_Identity_Systems +Eric_Harris-Braun_on_Open_Transport_Currencies +Natural_Demurrage +Flickeros_El_Salvador/es +We_Are_The_Web +Beneficial_Corporations +Boolean-Valued_Function +Energy_Cooperative +Trias_Internetica +Social_Fields +Open_Hardware_Directory +Open_Source_Record_Label +2.1.B._The_emergence_of_peer_to_peer_as_technological_infrastructure +Open_Innovation_Movement +Think_Outside_the_Boss +How_Economic_Theory_Came_to_Ignore_the_Role_of_Debt +Alfredo_Lopez_on_Progressive_Providers +MySpace_Campaign_Case_Studies +Local_Money +Side_Car +Escuela_de_Commons +Charlie_Gandy_on_Creating_Charismatic_Communities +Critical_Books_for_an_Appropriate_Economics_for_the_21st_Century +Canada +Open_vs._Closed_Governance +Jordan_Hatcher +Multi-Dimensional_Science +Sharelex +Plexnet +Market_Efficiency_vs_Technical_Efficiency +Co-Design_Processes +Essays_on_the_History_of_Copyright +Techno-Induced_Classroom_of_Tomorrow +Openness_2.0 +Book_Liberator +Water_To_Drink +Primitive_Disaccumulation +Overshare +Geekcorps +Irving_Wladawsky-Berger_on_Participatory_Governance +David_Lee_and_Valerie_Wilson_on_the_the_Open_Source_Green_Vehicle_Project +Open_Source_Beer +Data_Sovereignty +GNU_Free_Call +De_Facto_Standard +Conversation_with_Esther_Dyson +Fabrication_as_an_Educational_Medium +Employment_Alternatives_for_Post-industrial_Societies +E2C/Acta_2012-01-18 +Information_Technology_and_Technologies_of_the_Self +Open_Layers +Slow_Tools_Project +Bob_Sutor_on_Open_Standards_vs_Open_Source +Internet_no_es_un_martell +Francis_Ayley_on_Using_Local_Currencies_for_Replacing_Scarcity_with_Trust +Sm%C3%A1ri_McCarthy_on_the_Failures_of_the_Materials_Economy_and_How_We_Fix_Them +Acumen_Fund%E2%80%99s_Pulse +EXtensible_Business_Reporting_Language +Major_Sources_of_Innovation +Flashmob +Declared_Value_System +Open_Source_Law_Weekly_Open_Source_Digest +Resource-Based_Computing +Gift_Economy +Foundation_for_P2P_Alternatives +Social_Networking_Web +Andrew_Hoppin +Open_Future +Rethinking_Common_vs._Private_Property +Sustainability,_Openness_and_P2P_Production_in_the_World_of_Fashion +Anthropology_of_Unequal_Society +Digital_Activism_and_Non-Violent_Conflict +Mark_Pesce_on_the_Future_of_TV_in_the_P2P_Era +Anti-Authoritarianism_-_Philosophy +Clipboard_Paradigm_for_Web_Applications +How_Open_Hardware_Drives_Innovation_in_Digital_Fabrication +Intellectual_Property +Mark_Surman_on_Democratizing_Learning_Innovation +Calvin_Tang_on_Newsvine +Karthik_Jayaraman_on_the_Economics_of_Open_Innovation_and_FOSS +Social_Network_Theory +Common_Resource +Open_Data_Licenses +Jay_Walljasper +TED +Du_Contre-Pouvoir +Economic_Depression +Rethinking_the_Power_of_Maps +Cmap_Tools +Open_Social_Networks +Cap_and_Reward +Precarious_Workers_Brigade +Historical_Progression_of_Complexity,_Networks_and_Hierarchy +Social_Theory +3D_Bioprinting +Social_CMS +Common_Resources_Distribution_Pool +Occupy_Wall_Street_and_the_Decline_of_the_Professional_Managerial_Class +Direct_Debt_Clearing +New_Economic_Models,_New_Software_Industry_Economy +Viewer-Oriented_Web +Infomutation +Sense_Networks +Open_IP_Licensing_Guaranteed_by_Non-Profits +Tch%C3%AAp%C3%A9dia +Mastering_Information_Through_the_Ages +Networked_Publics_April_2006 +DIYNGO +Individuation_in_the_Blogosphere +Decentralized_Renewable_Energy +P2P_Exchange_Economy_2.0 +Pathways_to_Social_Power +Fabrication_Laboratories +Digitizer_3D_Scanner +Exposing_the_Myth_of_the_Business_Hero +U-shaped_Curve_of_Despotism +Dmytri_Kleiner_on_Facebook_as_the_Internet_Reimagined_through_Network_Capitalism +New_Economy_Working_Group +Geoffrey_Arone_of_Flock_on_Browsers_2.0 +Grassroots_Mapping +Basic_Income +Betsy_Taylor +Universities_Allied_for_Essential_Medecines +Cost +Data_Portability +Open_Source_Curriculum +2.5_Individual_and_Public +Cosm +Overjustification_Effect +On-Demand_Workspaces +Left_and_Reciprocity +International_Center_for_Collaborative_Solutions +Notes_on_Occupying_the_Urban_Relation +Energy_Commons +Open_Lynx +Public_Resource_Org +P2P_Literacy +Practicing_Law_in_the_Sharing_Economy +Self-Leadership +Reputation_Society +Planetary_Boundaries +Zagreb_Right_to_the_City_Green_Action_Campaign +Free_GIS +Steve_Rosenbaum_on_User-Created_Videos_at_Magnify +Three_Levels_of_Aggregation_of_Learners +Affero_General_Public_License +Knowledge_Bridges +Wikinomics_Business_Models +Physical_Internet +Nine_Policy_Shifts_Necessary_for_a_Global_Commons_Policy +Open_Source_Manned_Spacecraft +4i_Commons_Management_Framework +Peer_Water_Exchange +Jordi_Guell +Post-Scarcity_Trends,_Capacity_and_Efficiency +Coming_to_Ground +DIY_Policy_Design +Models_of_Internet_Governance +Meta-industrial_Class_and_Why_We_Need_It +Biotech_Hobbyist_Magazine +Are_Netlabels_Long_Tail_Niches_or_the_Blueprint_for_the_Future +Survival_and_Growth_of_Worker_Co-Operatives_as_Compared_to_Small_Businesses +Economic_Democracy_in_Action +Beatriz_Garcia +Folding_At_Home +Global_Desktop +Anupam_Chander_on_the_Electronic_Silk_Road +Community_College_Open_Textbook_Project +AVR_Butterfly_Logger +State-Form_Hacks +Wellington_Declaration_on_ACTA +Mar%C3%ADa_Sanz +Craig_Baldwin_on_the_Dystopian_Outcomes_of_Past_Media_Revolutions +Internet_Governance_Project +Libre_Communities +Moo +Debating_the_Cult_of_the_Amateur +Jen +Espaco_Cubo +Keith_Hart_on_the_Human_Economy +Jorge_Timon +IANG_License +Still_City +Employee_Stock_Ownership_Plan +Designing_the_Next_Generations_of_Web_Apps +Maximilian_Holland +Peer_Councils +Digital_Literacies_for_Learning +Roberto_Verzola_on_Undermining_vs._Developing_Abundance +Immaterial_Labour_Conference +Carlos_Castillo_on_Finding_High_Quality_Content_in_Social_Media +Thinkering +Straw_Bale_Village_Open_Source_Portal +Additer +Financing_the_Global_Sharing_Economy +Federated_Social_Networks +HackYourPhd +Emissions_Reduction_Currency_System +Water_Jet_Cutting +Explaining_Data_Portability +Openwear_Collaborative_Collection_Workshop +Occupy_Science +Data_Commons_Project +Lawrence_Lessig_on_how_Free_Culture_Needs_Free_Software +Towards_a_Political_Economy_of_Information +%C3%89choFab +Transition_D/A/CH +Group_Process_Innovation_from_Intentional_Communities +Laboratory_for_the_Governance_of_the_Commons +Eben_Moglen_on_Software_and_Community_in_the_Early_21st_Century +Ed_Batista_on_Attention_Trust +Crowdfunding-Based_P2P_Lending +Claudia_Neubauer +McGonigal,Jane +Arundhati_Roy_on_Occupy_Wall_Street_and_its_Role_in_the_Heart_of_Empire +Myth_of_Leadership +Sharing_commons_Barcelona +Misunderstanding_the_Internet +Digital_Citizenship +New_Media_in_Contentious_Politics +Sloan_Digital_Sky_Survey +Micro-Democracy_Movement +Jeff_Vail%E2%80%99s_Call_for_a_Scale-Free_Energy_Policy +Anti-Systemic_Distributed_Libraries +Introduction +Critical_Mass +Vince_Stehle_on_Philanthropy_and_Internet_Technology +SpiffChorder +Global_Internet_Policy_Initiative +Gaming_-_Economics +Full_Cost_Accounting +Generative_Design +Strategic-Instrumental_Rationality +Creaci%C3%B3n_Libre/es +Patent_Commons +Nova_Spivack_on_Web_3.0 +Medical_Prize_Fund +Bill_McKibben_on_Corporate_Environmental_Responsibility +CrowdFlower +Why_TRIPS_IP_protection_is_Bad_for_Asia +Global_Brain +Smart_Local_Network +Food_and_Water_Watch +Intro +Michel_Bauwens_at_Media_Ecologies_2009 +Swarm +How_Does_Technology_Change_the_Balance_of_Power_in_Society +Stowe_Boyd_on_the_Post_Everything_Economy +PeerFlix +Struggle_for_the_Earth_as_a_Commons +Blogging_in_China +CBS_60_Minutes_Profile_of_Mark_Zuckerberg_and_Facebook +Semantic_Web +UnltdWorld +Felipe_Fonseca +Wealth_Typology +Alternatives_to_the_Market_and_the_State +Solar_Residential_Design +Gustavo_Troncoso +Andrea_Ippolito_on_the_H@cking_Medecine_Initiative +Building_Web_2.0_Reputation_Systems +Libre_Knowledge +Decentralized_Future_of_Online_learning +Solarscaping +European_Interoperability_Framework +Steven_Roberts_An_Open_Scientist_in_Action +Gabriella_Coleman_on_Understanding_Anonymous +Movement +Crowdsourcing +Commons-based_Multilateralism +Open_Wallet +Joan_Subirats +Jack_of_All_Trade_Universe +Wireless_Commons +Social_Networks_Sites_Research +Mutual_Coordination_of_Production +Resonance +ROSCA +Wirarchy +Solipsis +Aaron_Swartz_on_the_Shift_from_Centralized_Systems_to_Networks +Structure_and_Silence_of_the_Cognitariat +TrustNet +De_digitale_generatie_piraten +Progressive_Modular_Housing +Fan_History +UpStage +Relationship_Economy_Expedition. +Democracy_Island +Flaws_in_the_Theory_of_Globalization +Parltrack +Cosma_Orsi_Interviews_Michel_Bauwens_for_Il_Manifesto_-_Italian_Version +Darwin_Among_the_Machines +Micki_Krimmel_on_NeighborGoods +Richard_Rosen +Dougald_Hine_on_Friendship_as_a_Commons +Need-Based_Allocation_of_Labor +Integral_Bibliography_of_the_Evolution_of_Society_and_Social_Systems +Production,_Power_and_World_Orders +Kevin_Slavin_on_the_Algorithms_that_Shape_Our_World +Platform-Centred_Business_Models_for_Cultural_Production +Open_Innovation_in_Health/Science +Freifunk +Indirect_Reciprocity +Electromagnate +Earthworker_Cooperative_-_Australia +Shuttleworth,_Mark +Libre_File_Format +Coming_Revolt_of_the_Guards +De-growth_and_an_Economic_Kyoto_Protocol +Final_Empire +EBCU_-_Environmentally-backed_Currency_Unit +Information_Foraging +Voter-Generated_Content +GOTO10 +Coalition_for_the_Global_Commons +Mappe/es +Collaboration_Theory +CGIAR_System-wide_Program_on_Collective_Action_and_Property_Rights +Alan_Toner +Open_Source_Gasifiers +Jerry_Michalski_on_Designing_Systems_on_the_Basis_of_Trust +Commons_Abundance_Network +Struggles_Against_Privatization_of_Electricity_Worldwide +Dragon_vs_Phoenix_Economies +Broadband_Policy +Open_Question_Approach +Panarchy_Bibliography +Peer_Production_as_Neoliberalism +Why_Panarchy +Michel_Bauwens_on_Peer_to_Peer +Research_on_Innovation +Lawrence_Liang_on_the_Authority_of_Knowledge_in_Wikipedia +People%E2%80%99s_Principles_To_End_Mass_Surveillance +Commons_at_the_Rio_20_People%27s_Summit +Robot_Operating_System +Clean_Tech_Nation +Libre_Graphics_Meeting +Simon_Redfern_on_the_Open_Bank_Project +Iotum_on_Relevance_and_Presence_Management +Communitarian_Relationships_Model +Open_Source_Desktop_3D_Printers +Thomas_Friedman_on_The_World_is_Flat +Chartalism +Hugh_MacLeod_on_the_Global_Microbrands +Remix_Culture +Gustavo_Mar%C3%ADn +Ruling_the_Root +Civalidator +Plural_Monocultures +Amateur_Class +Making_Piracy_Obsolite_Through_the_Payright_System +Commons_Action_for_the_United_Nations +Cyburbia +Citizen%27s_Income +Roger_Schank%27s +Federation_of_Groups_and_Cooperatives_of_Citizens_for_Renewable_Energy_in_Europe +Tactical_Urbanism +News_and_Citizen_Engagement +Great_Internet_Mersenne_Prime_Search +Hackitectura +Network_State +Phil_Torrone_and_Limor_Fried_on_the_Maker_Movement +Soloware_vs_Groupware +Reciprocal_Altruism +Iterasi +Google_Page_Rank_Algorithm +FreeCAD +Emilia-Romagna +Panel_on_the_Critique_of_the_Free_and_Open_Paradigm +DNA_Digest +WIR_Economic_Circle_Cooperative +Saki_Bailey +Solar_WiFi +Voice_of_the_Faithful +Distributive_Production +HyperLocavore +Jennifer_Muilenberg_an_Open_Standard_for_Documenting_Data +Exploring_New_Configurations_of_Network_Politics +Free_Labour +Machine_Leaning_Open_Source_Software +Decentralized_Urban_Farming +Procom%C3%BAn +City_Hacking_Academy_Berlin +Open_Infrastructure +Triadic_relation +Precarity,_Subjectivity_and_Resistance_in_the_Creative_Industries +Social_WiFi +Commons_in_the_Post-Soviet_Area_-_2013 +2.4_Property_and_Commons_(Details) +Aria +Governance_Structures_for_Social_Movements +Evo_Devo_Theory +Jim_Giles_on_Comparing_the_Wikipedia_and_the_Brittanica +Freehacker%27s_Union +List_of_Draft_Terms_for_ABC_of_Commons_Economics +Bataille_du_Logiciel_Libre +Reus,_Bas +Andrius_Kulikauskas +Non-Capitalist_Markets +Three_Proposals_for_a_Public_Domain_Policy +Aymeric_Mansoux_on_GOTO10 +OpenFiction_Project_Courseware +Spreading_Misandry +Multiple-Purpose_Production_Technology +Pro-am_Storytelling +Human_as_Interspecies_Community +Permatechie +Mumsnet +P2P_Architectures_for_Money +Social_Objects +Resource_Use_and_Property_Rights_to_Minimize_Scarcity +Agronautas/es +Net_Art_and_Pro-Commons_Activism +Communitarian_Mysticism +Jeff_Howe_on_the_Creative_Wisdom_of_the_Crowd +Open_Archives +Lifelong_Education_on_Service_Systems +Global_Common_Wealth +15M_Oviedo_Grupo_de_Urbanismo,_Barrios_y_Medio_Ambiente_del/es +Open_Mind_Commons +Legal_Form_of_the_Commons +Linked_Geodata +Howard_Odum +Online_Giving +John_Seely_Brown_on_Web_2.0_and_the_Culture_of_Learning +Safe_Planetary_Boundaries +Free_Content_Definition +Self-Employment_-_Statistics +Top_Ten_methods_to_access_banned_websites +TechShops +Riversimple +Govit +Formal_Consensus +War_Views +Hack_Bus +Citizen_Politics +Tragedy_of_the_Anticommons +AmpedStatus_Network +Catch_Share_Fishing +Geoblogosphere +Concerns_for_the_Structure_of_the_P2P_Foundation_-_Letter_from_Alex_Rollin +Open_Science +Customer_Engagement +Managing_Abundance,_Not_Chasing_Scarcity +Crisis_Mappers_Net +Open_PGP +Open_Source_Laser_Cutter +Diversity_of_Tactics_and_the_Black_Block_Debate_in_the_Occupy_Movement +TransMedia_Activism +SPI +Commons_of_Soil +7.1.C._Three_scenarios_of_co-existence +Towards_An_Inclusive_Democracy +Dwolla +Wayfinding +Dynamic_Nucleus_Model_of_Liquid_Decentralised_Unity +Jan_Schalkwijk_on_Green_Investing +Meredith_Patterson_on_the_Biopunk_Manifesto +Betweenness_and_Closeness_-_Indicators +Open_Meteo_Data +Robot-Readable_Gardens +Metalithic_Age_as_Radical_Pathway_from_Energy_Crisis_to_Energy_Culture +Open_Cafe_Cooperative_Network_Model +FOSS_-_Open_Content +Lawrence_Lessig_and_Jonathan_Zittrain_on_the_Internet_Kill_Switch +Design_as_Activism +Hacking_the_Way_to_Heaven +HTML_Paste_Test +Community-Based_Lending +Ad_Hoc_Mutual_Aid +Socialist_Cybernetics_in_Allende%E2%80%99s_Chile +Hans_Thie +Richard_Logie +Eco-patent_Commons +End_of_Money +Emerging_Leader_Labs +Street_Performer_Protocol +Open_Scholar +Italian_Struggle_for_the_Commons +Core_Economy +Direct_Social_Property +2.3_Economics_of_Information_Production +UFU +Reddito_Garantito_e_nuovi_diritti_sociali +Government_Owned +P2P_Porn +Complementary_Currency_Initiatives +Open_Solace_Haiti_Project +Gregers_Petersen_on_the_Anthropology_of_Open_Source_and_the_Market +/Participants +Peer-to-peer_relationaliteit:_De_stad_en_anonimiteit +Peer-Influenced_Consumption +Green_Convertible_Currency +Revenue_Sharing +ISIA_Firenze_Students_Are_Redesigning_the_Near_Future_of_Education +Complete_Guide_to_Freemium +Podcasting_Legal_Guide +Open_Digital_Rights_Language +Imaginary_Futures +Cormac_Cullinan_on_Wild_Law_and_the_Right_of_Nature_To_Sue +Introduction_to_Openness_in_Education +Open_Tech_Forever +Creative_Anti-Commons +Widesourcing +Peer_to_Peer_Urbanism +Digicult +Learning_Literacies_for_a_Digital_Age +Agonistic_Giving +Solidarity_University +Occupy_Wall_Street_People%E2%80%99s_Kitchen +Jason_Bobe_on_the_Personal_Genome_Project +A2K +Spectrum_of_Online_Friendship +Collectivism_After_Modernism +Michel_Bauwens:_Penser_les_Communs +Eben_Moglen_on_Social_Change_without_Coercion +Rosabeth_Kanter_on_the_Conditions_for_Success_in_Alternative_Communities +International_HapMap_Project +Why_the_Occupy_Movement_Represents_a_New_Politics +New_Social_Learning +Commons-based_Society +Mutantspace +Franz_H%C3%B6rmann_on_a_World_Without_Money +Reinventing_Civil_Society +Economic_Elite_Vs._The_People_of_the_United_States_of_America +Pellegrini,_Bruno +Hackers_-_Documentary +Floaters +97_Percent_Owned +Italiano +What_are_the_specific_difficulties_for_Open_Hardware +Leo_Burke +Information_Machine_and_the_Society_of_Metadata +Abbondanza_di_cibo_contro_abbondanza_di_ricette +Idle_No_More +Powers_of_Place +Self-determined_Transactions +Digital_Humanities_Manifesto +Open_Source_Wireless +Open_Content_Licensing +Communicative_Capitalism_and_Left_Politics +Occupy_the_Farm +Open_Steps +Active_Blogosphere +Thomas_Greco_on_the_Importance_of_Mutual_Credit_Clearing +Paolo_Ciccarese_on_Knowledge_Management_for_Open_Science +Plug_Sharing +Interaction_Labor +Macroscope +Participatory_Budgeting_Project +Tracking_and_Alerting_Services +Primordial_Debt_Theory +Eli_Farley +Player-Created_Content +Conrado_Marquez +Mutual_Guarantee_Societies_and_Guarantee_Funds +Innovation_Markets +New_Political_Economy_Network_-_UK +Distributed_Workflow_Management +Platoniq +Matt_Peddicord +Don_Tapscott_on_Four_Principles_for_an_Open_World +Unconference +Swarm_(framework) +Digital_Participatory_Budgeting +Rotating_Order_of_Office_Holding +Dark_Patterns +Directory_of_Personal_Fabrication_Courses_at_U.S._Universities +Sunlight_Foundation +Towards_a_New_Money_System_as_Basis_for_a_Sufficiency_Economy +Free_Labour_and_Capitalism +No_Chains +Peter_Victor_on_Managing_the_Economy_without_Growth +Vrihi_Seed_Bank +Maggie_Jackson_on_the_Erosion_of_Attention +ANOSI_Volos_Volunteers +Social_Publishing_Migration_Team +Connected_Urban_Development +Open_Design_Foundation +Open_Source_Graphic_Icons +Rocketboom_interviews_Dave_Winer +P2PML +Pablo_Solon +Audience_2.0 +Book_Project +Linux_Kernel +Giant_Social_Graph +P2P_Traffic_Control +Christopher_Kelty_on_Free_Software_as_Culture +David_Loy_on_Ending_Separation +Een_blauwdruk_voor_de_P2P-samenleving:_de_partnerstaat_en_de_ethische_economie +Real_Costs +Ambient_Intelligence +Individualism +Tontine +Comparison_of_Business_Models +Agriculture_in_Urban_Planning +Power_of_Good_Conversation +Imagining_the_Internet +Radical_Homemakers +Charles_Leadbeater_on_We_Think +Open_Street_Map_of_Athens +Videoblogging +Free_Literary_Text_Archives +Eusko_carsharing/es +U.S._Cyber_Consequences_Unit +Cooperative_Development_Services +Physibles +Appendix:_About_Money +End_of_Solitude +Local_Motors +Crowd_Harnessing +Ukraine%27s_Orange_Revolution +Translation_Cooperative +Portable_Contacts +Pico-Peering +Connecting +Dorota_Marciniak +Open-Source_Framework_for_Proximity-Based_Peer-to-Peer_Applications +Foster_Provost_on_Privacy-friendly_Social_Network_Targeting +VPRO_Backlight_Documentary_on_Google +Principles_of_LiquidFeedback +Dignitarianism +Connected_Marketing_Podcasts +ThinkCycle_-_Governance +P2P_Cooperative_Model_Resources +Silvia_Federici_on_Embodying_the_Commons_as_a_Perspective +Evolutionary_Roots_of_Morality +Imagine,_Connect,_Act +Group-Sharing_Resource-Based_Economy +Intention-based_Shipping +Open-Source_Mobile_Microhouse +Piezotronics +Protological_Control +Decentralized_Social_Media +Grassroots_Repair_Movement_Map +Defensive_Patent_License +Digital_Registry_Panel +Loncin +High-Tech_Self-Production +Jonathan_Logan_on_Temporary_Autonomous_Zones +Community-Driven +Michel_Bauwens_on_the_Partner_State,_the_Ethical_Economy_and_a_Productive_Peer-Based_Civil_Society +Nicholas_Anastasopoulos +Micheal_Linton_on_Open_Money +Working_Group_Registration_Workflow +Digital_Lifestyle_Aggregation +Basement_Interviews +Unitierra +On_Piracy +Paul_Selker_on_the_Obama_Works_Experience +Networked_Deterrence +Living_Economies_Movement +Open_Document_Format +Building_an_economic_ecosystem_for_new_business_models_and_ideas +Dojo_Social_-_Hackeando_Telecentros +Open_Source_Mind_Mapping_Software +Product-Centered_Local_economy_vs_People-Centered_Local_Economy +Dmytri_Kleiner_on_Radical_Openness +Service_Marketplaces +Marc_Juul +International_Communes_Desk +Dissent_Tax +Digital_Cosmopolitans_in_the_Age_of_Connection +P2P_Capitalism +Technocapitalism +P2p_brut +Open_Source_Permaculture +Who_Owns_Space +Inventing_the_Common +Milpa +Cooperatives +Tragedy_of_the_FOSS_Commons +Atmosphere_and_Commons_Trusts +Decentralized_Provisioning_of_the_Basic_Necessities_as_the_Fight_of_the_Century +Governance_of_Online_Creation_Communities_for_the_Building_of_Digital_Commons +Travis_Henry_on_the_Yourhub_citizen_media_initiative_in_Colorado +Participatory_Epistemology +Gnu/linux_and_open_sourceGR +15Hack +Felipe_Altenfelder_Silva +Dan_and_David_on_the_Open_Source_Business_conference +Citizen_Engineer +Dawson,_Ross +Rick_Falkvinge_on_Banks_as_the_Future_Victims_of_the_Bitcoin_Economy +Organization_for_Transformative_Works +Managing_Boundaries_between_Organizations_and_Communities +Garduino +John_Robb_on_the_World_of_Warcraft_as_a_Rapid_Learning_Tool +Streaming_Music_Services +Communal_Validation +Open_Social_Networking +Four_Rules_against_the_False_Abundance_of_the_Eternal_Growth_Economy +Island_in_the_Sea_of_Time +Peer_Production_and_Industrial_Cooperation_in_Telecommunications +Freerisk +Open_Government_vs_Open_Governance +Zakelijk_gebruik_peer-to-peer_neemt_toe +Open_311 +Future_of_Making_Map +International_Association_for_the_Study_of_the_Commons +Monique_White_and_Nick_Espinosa_on_the_Occupy_Homes_Movement +Critique_of_Home_Schooling_by_Stephen_Downes +Why_Exchange_Alternatives_Fail_to_Thrive +Gunter_Pauli_on_Biomimetism +How_Civilizations_Fall_Through_Catabolic_Collapse +Frontiers_of_Freedom +Technological_Determinism +Elisabeth_Meyer-Renschhausen +Examination_of_Peer-to-Peer_Signal-Sharing_Communities +Ludocapitalism_and_the_Scarcity_in_Gaming_Worlds +Campaigns_Wikia +Energy_Security_and_the_Social_Use_of_Energy +Wealthiness +Service_Disaggregation +Hyperintelligence +Case_For_Making_Online_Textbooks_Open_Source +League_for_Programming_Freedom +Desperate_Generation_-_Portugal +User-Generated_Content +Fiji +Silk_Road +Semi-Direct_Democracy +Global_Innovation_Commons +Condop +Phases_in_Emergent_Decision_Making +Clinical_Expert_Operating_System +Dario_Taraborelli +Jai_Ranganathan_on_Engaging_with_the_Public_and_Improving_Your_Science +Gandhi%27s_Economic_Thought +Jacob_Shiach_on_Open_Science_and_Citizen_Science +Alternative_Incentives_for_Health_and_Pharma +Robert_Frost_on_Eliminating_Record_Companies +Our_Windowfarms +Robert_Steele +Jenny_Ryan +Community_Energy_in_the_UK +Adrian_Bowyer_on_3D_Printers +Rights_of_Property_Owners +Tabby +Reverse_Dominance_Hierarchy +Participatory_Urban_Replanning +Intellipedia +Critique_of_Steady-State_Capitalism +Open_Source_Beehives +Commons_Strategies_Group +Applied_sustainability +Serendipic_Learning +Library_of_Stuff_-_Turkey +GELI +Open_Everything_-_Canada +ECC2013/Working_and_Caring_Stream +Edglings +Authority_Hysteresis +Great_Wave +Intellectual_Origins_of_Value_Co-Production +Social_Authorship +Commons_and_World_Governance +Eventbrite +Zero_Marginal_Cost_Society +Hierarchy_in_Decentralized_Networks +NSK_State +Leadership_for_a_New_Era +Evolution_of_Tor_against_Censorship_Efforts_by_Governments_and_Corporations +Correcting_Negative_Myths_about_Renewable_Energy +David_Steindl-Rast_on_Contemplative_Values_in_a_Technological_Society +Jamie_Harvie +Open_Source_House_Designs +Linux_Cast +All_Rise +Participation_Capture +Books +Paris_Accord_on_Voluntary_Licensing_-_Panel +Context-Based_Sustainability +Wicked_Problem +Jeffrey_Smith_on_the_Dangers_of_Genetically_Modified_Foods +Community_Informatics_in_Brazil +Spectrum_Policy,_Open_Networks,_and_a_Free_Society +Manufacturing_Networks +Antony_Williams +Richard_Sennet_on_the_Culture_of_New_Capitalism +Ogg +Characteristics_of_Free_and_Open_Infrastructures_Needed_for_Open_Online_Collaboration +History_of_Civic_Journalism_and_its_Relation_to_Citizen_Journalism +Any_Cook_Can_Govern +Shadow_Money +CosmosCode +European_Parlament_Free_Software_User_Group +Six_Principles_for_a_Open_and_Free_Internet +Peer_Support +Pastry +Open_Hardware_H2O_Licensing +Suren_Erkman_on_going_from_a_Hyperindustrial_Economy_to_Industrial_Ecology +Peer-to-Peer_Mesh_Calling_Network +Market_Socialism +Success_of_Stakeholder-controlled_Enterprises +Nonprofit_Accounting_Software +Gregor_Kaiser +Reclaim_Democracy +Open_Source_Spying +Freenet_Movement +Communities_Dominate_Brands +Internet_Freedom_Fallacy_and_the_Arab_Digital_Activism +Revolution_2.0_and_the_Crisis_of_Global_Capitalism +Bittorrent +CEO_Guide_to_Widgets +Social_Swarm +Trust_Fabric +Policies_for_Digital_Fabrication +Conversation_with_Stephen_Whitehad +Open_BitTorrent_Trackers +Three_Main_Social_Aspects_of_the_Web +Social_Theory_as_a_Transformative_Force +New_Artisan_Economy +Literature_Review_on_Academic_Studies_on_the_Effect_of_File-Sharing_on_the_Recorded_Music_Industry +Progressive_Torrents_Community +P2P_AGI +Empire_of_Capital +Jeffrey_Huang_on_Interactive_Cities +Multi-Stakeholder_Cooperatives_Manual +Reflections_on_Movement_Strategy_from_Occupation_to_Liberation +Civil_Society-Centered_Socialism +Steady-State_Economics +Website_Improvements +Civic_Life_Online +Environment,_Power,_and_Society +Neil_Gershenfeld_on_Personal_Manufacturing_and_Markets_of_One +OpenTaal +Healthy_Democracy +Video_Compression +Mass_Analysis +Medium_of_Exchange +Elephants_Dream +Decentralized_Economic_Social_Organization +Ownership_of_Biodiversity +Interpretive_Summary_of_the_Asian_Deep_Dive_on_Economics_and_the_Commons +Giving_Circles +Peer-to-Peer_Renting +Rob_Carlson_on_synthetic_biology +Non-Modular_Building_Systems +Limits_to_Technology +Liquid_Publications +Crowdfunding-Based_Donations +New_Currency +Worker_Cooperative_Development_Models_and_Approaches +Lurking_in_Online_Classrooms +Jacques_Ranci%C3%A8re_on_Radical_Equality_and_Adult_Education +Facebook_Connect +Daisy_MP3_Player +DIY_Sex_Hardware +Digital_Europe +Imagining_a_Self-Organised_Classroom +America_Beyond_Capitalism +Open_Source:_rivaal_of_handlanger +Martin_Luther_King_and_his_Cosmology_of_Connection +Non-Territorial_Sovereign_Organizations +Leslie_Chan_on_Open_Access_for_the_Developing_World +P2P_Foundation_Wiki_Editing_Tasks +Collective_Customer_Commitment +Title%3DNeues_Geld +State-Credit_Theory_of_Money +Criterios_descriptivos_y_significativos_respecto_a_experiencia_de_commons +Virtual_Network_Organization +Furtherfield +Fondation_Sciences_Citoyennes +Low-Cost_Sensing_by_Citizens_and_Community_Groups +Open_Source_HD_Cinema_Camera +Social_Impact_of_the_Web_and_Government +Justin_Vernon +Network_Externalities +Kudunomics +Micro_Public_Places +Micro-Housing +Cyber_Hero +Peoples_Sustainability_Treaties +E-Participatory_Budgeting +Van_Nedervelde,_Philippe +Jansen,_Dean +Filippo_Valguarnera +Open_Scientific_Books +3.2.B._How_far_can_peer_production_be_extended%3F +Fundacion_Robo +Madrid_Post-P2PWikiSprint_Dialogue +Big_Switch +ConceptNet +Civic_Traditions_in_Modern_Italy +FLO_Movement +Open_Community_Rules +60_Minutes_on_the_One_Laptop_Per_Child_project +Michel_Bauwens_sobre_Nuevos_Modelos_de_Integraci%C3%B3n_entre_la_Sociedad_Civil,_Estado_y_Mercado +Seriosity +Jean-Louis_Sagot_Duvauroux_on_Free_Beer_and_Civilization +Peer_to_Peer_Immigration +Aggregator +Stephen_Hinton +Ladder_of_Participation_in_the_Peer_Economy +Other_Side_of_Eden +DIY_Health +BAT/es +Defining_Infrastructure_and_Commons_Management +Farmers_Rights_and_Open_Source_Licensing +Mashup_Cultures +OER_Conversion-Based_Funding_Model +Web_1.0 +Wired_Columns_Podcasts +Internet_Collectivism +Rural_Area_Networks_Movement +Andean_Social_Movements_and_the_Refounding_of_the_State +Berlin_Commons_Conference/WorldCafe +Proyecto_mARTadero/es +Trust_Metrics +Market-Oriented_Left_Libertarians +Cooperative_Commonwealth +Trebor_Scholz +Release_Management_in_Free_Software_projects +Open_Collabnet +Engaged_Fashion_Design +Social_Web_Incubator_Group +Challenges_in_Co-Designing_Enabling_Platforms_for_Social_Innovation +Piracy +You_Tube +Global_Internet_Freedom_Consortium +Open_Source_Biomodels +Future_of_Learning_in_a_Networked_World +Peer_Mentors +Open_Act +Daimanhur +Plausible_Change +PeerInvest +Collective_Individuation +Participation_Gap +IRadeo +8_Principles_of_Decentralization +Valnet +Resilience_Circles +Dual_Licensing +Generative_Values +Common_Property_Economics +Steve_Carson_on_MIT_OpenCourseware +Elearning_2.0 +Open_Product_Data +VINT_over_Crowdsourcen_en_Peer-to-Peer +Occupying_Wall_Street +Rainey_Hopewell_and_Margot_Johnston%27s_Local_Haultain_Boulevard_Food_Commons +Strobit_Triggr_Project +Paul_Fernhout_on_Artificial_Scarcity +Open_Robotic_Platform +Cap_and_Share +Kelly_Maguire_and_Sean_Aurit_on_the_Hackerspace_Movement +Isthmus +Continuous_Democracy +Open-Source_Lab +International_Open_Facility_Advancing_Biotechnology +Opte_Project +Collaborative_intelligence +Africa +Anopticism +Peer-to-Peer_Recruiting +FreeGIS_Project +Social_Movements_Cannot_Prevail_Through_Secrecy +In_Control +Marvin_Brown_and_Sm%C3%A0ri_McCarthy_on_Democracy_and_the_Commons +ZEMOS98/es +Il_Manifesto_Interview_of_Michel_Bauwens_-_Italian_Version +RFC_a001:_Towards_a_Commons-Driven_Research_Platform +Next_Web +Online_Food_Distribution_Systems +Open_Molecular_Biology_Databases +Civic_Hacker_Hub +Open_Ajax_Alliance +Interview_with_Cosma_Orsi_-_Italian_translation +Modular_P2P_Architecture +Our_Media +P2P.css +FOSSACT +When_Should_We_Use_Intellectual_Property_Rights +Internet_Exchange_Points +Shareable_God +New_Tribalist_Movement +Unmonastery +Left_Liberalism +Crowdsourced_Credentialling +Crowdfunding_for_Medical_Expenses +Introduction_to_Sustainable_Thought +Wayfinder +Network_Advocacy_Model +Relationships_and_the_Internet +Voucher_Safe +Fiction_of_the_Internet +Mesoeconomics +Foss_in_IT_Businesses_in_Asia +Open_Hardware_Licence +Transparent_Chennai +Sociable_Media +Economist_Manfred_Max_Neef_Interviewed_by_Democracy_Now +Happiness_-_Unhappiness_Continuum +Toward_a_History_of_Needs +Rise_of_the_Enabling_State +Alternative_Currencies_and_Community_Development_in_Argentina +Social_Business_Return_on_Investment +Open_Culure_and_the_Nature_of_Networks +Mental_Rights_Management +Agora_99 +World_Life_Web +Open_Humanities_Awards +Crowd_Business_Models +Competing_Values_Framework +WSIS_Geneva_Plan_of_Action +Open_Stewardship +People%27s_Geography_Project +Open_Source_Software_Communities +RBE_Foundation +Openness_in_Science +Guilds +Open-Hardware_Wireless_Communication_System +Iain_Boal +Public_Patent_Foundation +Assembly_Democracy +Regulation_School +Open_Source_Development_and_Distribution_of_Digital_Information +Brazilian_Digital_Culture_Forum +Lokavidya +David_Karpf_on_the_Netroots_Effect +Political_Economy_of_Peer_Production +Twitter_Marketing_Case_Studies +Coase%27s_Penguin +CivicSponsor +Future_of_the_Public_Sphere_in_the_Network_Society +Concept_Web_Alliance +M%C3%ADdia_Ninja +Peer_Banking +26_Propositions_on_Networking,_Labour_and_Solidarity +McKenzie_Wark_on_Moving_from_the_Book_to_the_Screen +GNU_Telephony +Big_Man_Group +Jason_Calacanis_and_Peter_Rojas_on_Castpods +Mass_Mobilization_and_Contemporary_Forms_of_Anticapitalism +Global_Knowledge_Exchange_Network +Key_Concepts_and_Practices_from_the_P2P_Open_Agriculture_Revolution +Investment_Fund +Nathan%27s_Notes +Introduction_to_the_Open_Source_Beehives_Project +Food_Commons_Project +Economic_Returns_of_Public_Access_Policies +Saving_the_Internet +David_Sifry_on_Technorati +NetwOrg +The_Numerati +Open_Design_of_Manufacturing_Equipment +Slic3r +Slowcialism +P2P_Seek +Sociological_Marxism +Virtual_Guilds_and_the_Future_of_Craft +Nicole_Alix +Economic_Aspects_and_Business_Models_of_Free_Software +Daniel_Domscheit-Berg_on_OpenLeaks +General_Public_License +Mahara +Open-Source_Data_Management_System +Peer_Consumption +Hill,_Benjamin_Mako +Eben_Moglen_on_Freedom_in_the_Cloud +Collaborative_Consumption_Global_Curators +Hacker_Ethic +Gnuvernment +Benjamin_Mako_Hill_on_Free_Network_Services +Open_Knowledge_Stack +Commons_Health_Care +Morgan_Langille_on_the_BioTorrents_Project +Open_Source_Democracy_Foundation +Barbara_van_Schewick_on_Internet_Architecture_and_Innovation +Open_Patent_Movement +FLOCUS +Meier,_Patrick +Friend_to_Friend +Problem_of_Economic_Calculation +Network_Resource_Planning +O_%CE%9Cichel_Bauwens_%CF%83%CF%84%CE%BF_Re-public:_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CE%A0%CE%B1%CF%81%CE%B1%CE%B3%CF%89%CE%B3%CE%AE,_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CE%94%CE%B9%CE%B1%CE%BA%CF%85%CE%B2%CE%AD%CF%81%CE%BD%CE%B7%CF%83%CE%B7,_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CE%99%CE%B4%CE%B9%CE%BF%CE%BA%CF%84%CE%B7%CF%83%CE%AF%CE%B1 +New_Way_to_Govern +Votorola +Dan_Gillmor_and_Dave_Winer_about_the_Future_of_Blogging +Spanish_Internet_Users_Association +Optimal_Collective_Decision-making_Processes +Liberty_Dollar +On_Common_Goods +Civic_and_Political_Significance_of_Online_Participatory_Cultures_by_Youth +Transformative_Social_Change +Mecambio.net/es +Citizen_Debt_Audit +3.1_The_State_of_It_All_(Details) +Occupy_Filmmakers +Open_Heritage +Alicia_Gibb +User-Generated_Ecosystem +Friend_Network_Analysis +Property_and_Biocultural_Rights +Manavodaya_-_India +Peer_to_Peer_Origins_of_the_European_University +Craig_Michaels_of_Akimbo_on_Television_and_the_Internet +Design +TSLOTS +Blog_Theory +Massimo_Banzi +Greco,_Thomas +Camila_Vallejo +P2P_Foundation:Privacy_policy +Joseph_Tainter_on_Simplifying_Complexity +Backchannel +Pick_A_Prof +Human_Reciprocity_and_Its_Evolution +Kiva +Algorithmic_Sustainable_Design +Opus +Nicolas_Mendoza +Link_Connectivity +Axel_Kistner +Intellectual_Property_Rulemaking_in_the_Global_Capitalist_Economy +Civic_Intelligence_and_the_Public_Sphere +Opensocial_Virtual_Currency_API_Proposal +Defining_Public_Health +Cybercrime +Scientism +Victor_Pestoff_on_the_Co-Production_and_Third_Sector_Social_Services_in_Europe +Resilience_and_Traditional_Knowledge +Sociedad_Civil/es +Proxecto_Derriba/es +Aaron_Swartz_on_the_Transformations_in_Media_and_Society_Due_to_Networks +XrML +Jean-Francois_Noubel +Overcoming_the_Risks_of_Economic_and_Environmental_Collapse +Contemporary_Individualization_is_Relational +Occupy_Working_Groups +Peer_Learning_Handbook +Jay_Rosen_on_Citizen_Journalism +Finance_Commons +Costs_and_Business_Models_in_Scientific_Research_Publishing +Commons-Based +Virtualization +Innovation_Knowledge_Foundation +Reality_Pull +Crypto-anarchism +Open_Philanthropy +Taylor,_David +Electric_Cars_Now +Devolve +Band_Camp +Zeynep_Tufekci_on_the_Role_of_Social_Media_in_the_Middle_East_Revolutions +Open_Curriculum_Movement +Michel_Bauwens:_Peer-to-Peer_e_Marxismo,_analogie_e_differenze +Open_Peer_Accreditation +Collaborative_Consumption +Solana_Larsen_on_the_Global_Voices_Project +P2P_Mode_of_Production +Chris_Cook +Julie_Ristau +People_Power_and_Political_Change +Seven_Global_Sources_of_Dysfunction_and_their_Corresponding_Corrective_Actions +Sean_Moss-Pultz_on_Open_Moko +Social_Dilemmas +Self-Organised_Classroom +Community_vs._Network +Sapphire +Synergic_Trust +Global_Public_Goods +Economic_Bill_of_Rights +Thom_Hartmann_on_Corporate_Personhood +Fabjectory +Central_Planning +Distributed_Manufacturing +Vectors_Journal +Money_Issuance +The_Connected_Home +Pandora +Green_State +Enclosure +Open_Source_Beer_Brewing_Control_Systems +Common_Good_Public_License +Well-Played_Game +Open_Music_Archive +Relacyjno%C5%9B%C4%87_Peer-to-Peer +Money_Ruins_Everything +Shared_Artisan_Studio +Catholic_Church_in_the_Age_of_Digital_Formats +Distributed_Social_Networking +Colectivo_Situaciones +Mind_Colonies +Cass_Sunstein_on_Infotopia +Urban_Agriculture_Revolution +Properties_of_Property +J._Stephen_Lansing_on_Cooperation_in_Rice_Production_in_Bali +Gizmo +Bruce_Lipton_on_Why_Natural_and_Human_Evolutoin_is_Communal,_not_Individual +Click-Use_Licences +Water_Micro-Infrastructure +Mobilizing_Digital_Labour_as_an_Audience_Commodity +Agro-Ecological_Approaches_to_Agricultural_Development +Sea_Rover%27s_Practice +Novena +Sovacool,_Benjamin +Better_Means +Tom_Atlee +Can_Digital_Technology_Alter_Reality +Sustainable_Models_for_Open_Manufacturing +OER_Governmental-Support_Based_Funding_Model +Pirate_Code +Open_Sensor_Network +Social_Innovation_Camp_on_Film +Lifelong_education_on_service_systems +Peer_Interaction_amongst_Young_Consumers +Paul_Ray +Smarterer +Gondola_Segura +Educational_Commons +Marc_Canter_on_the_Structural_Conditions_for_Building_an_Open_Mesh +Human_Economy +P2P_intro +Daniel_Kimmage_on_Al-Qaeda_and_the_Media +Ethics_of_Capital_Flow +David_Weinberger_on_the_Transformation_of_Knowledge +Water_Operator_Partnerships +Grown_in_the_City +MyWare +YoSoy132 +L%27ESCAROLA/es +IPv6 +Documentary_on_the_WIR_Economic_Circle_Cooperative +Ellen_Miller_on_Data-Powered_Democracy +Think_Tank +Distributed_Cloud_Computing +Dovetail +Collective_Power +Thoughts_on_Development_Politics_and_the_Commons +Synaptic_Web +Beginning_of_History +Open_Access_Journals +Libre_Scientific_Tools +Helix_Wind +Open_Source_Bank +Spiritual_Projection_and_Authority +Pactum_Subjectionis +Wikiplanning +Jamie_Klinger +Horizontal_Legibility +Making_Maps +Alignment +Dignitarian_Movement +Ideological_History_of_the_Urge_to_Own +Colin_Rule_on_Online_Dispute_Resolution +Perils_and_Promise_of_Global_Transparency +Jan_Spencer_on_Neighborhood-Based_Permaculture +Open_Aid_and_Development +Mobile_Linux_Phones +Software_Manufacturing +Relational_Spirituality +Liquid_Feedback +Lawrence_Lessig_on_Coding_against_Policy_Corruption +What_Should_Peer-to-Peer_Money_Be +Writeable_Web +Open_Cyprus_Coalition +Money_-_History +Christian_Arnsperger_on_the_Economics_of_Sustainability +St%C3%A9phane_Grueso +Bandit +Future_of_the_Internet_and_How_to_Stop_It +Linus_Law +Oneness,_Nihilism,_and_the_Multitude +Arena +Progressive_Utilization_Theory_-_Prout +Policies_to_Promote_Public_Knowledge_Goods_and_Knowledge_Commons +Horizontal_Innovation_Model_in_China +Enclosure_and_Depletion_of_Spiritual_Capital +Meeting_2_-_10/10/11 +Interview_with_Rosalinda_Sanquiche_on_Ethical_Markets +P2P_Infrastructure_-_Discussions +Goteo/es +Cooperativa_de_Consum_Ecologic_i_Responsable_El_Rial/ca +Cycles_in_Societal_Development +Supporting_Epistemic_Sophistication_in_Knowledge-Building_Communities +Open_Spending +Open_Media_Standards +Engage_Media +Greg_Elin_on_Open_Data_from_the_US_Government +Unemployed_Cooperative_Relief_Organization +Digital_Watermarking +ROG +Open_mHealth +Currencies +Bishop,_Bryan +Open_Source_Programmable_GPS_Devices +Project_overview_as_of_22.12.2012 +Communiqu%C3%A9_on_the_Crisis_Affecting_the_SGAE_and_Copyright +Quest_For_A_New_Kinship_With_Nature +Danyl_Strype +Friendly_Favors +P2P_Foundation_Wiki_Taxonomy_Top_Level_Category_Discussion +Communication_Power +Long_Tail_of_Control +Xtracycle +Pat_Kane_on_the_Play_Ethic +Dynamic_Democracy_Initiative +Open_Mashup_Alliance +Vernor_Vinge_on_Spimes +Federico_Campagna_on_the_Lessons_of_the_Italian_Autonomia_for_2011 +Natural_Enterprise +Octopus_USB +FreeVo +Jabe_Bloom_on_Social_Capital +Mark_Surman_on_Open_Video +Community_Wireless +Reevo/es +Typology_of_Economic_Structures +Asian_Philosophical-Religious_Roots_of_Marxist_Dialectics +Christianity_and_the_History_of_Technology +Gramsci_is_Dead +Reconstructor +Property-Owning_Democracy +GeoChat +Open_Source_-_A_Movement_in_Search_of_Its_Philosophy +Teledensity +Community_Supported_Industry +Ellen_Jorgensen_on_Biohacking +ClearBits +Science_of_Collective_Intelligence +Commodity_Ecology +Ethereum +Community_Wireless_Networking +Amsterdam_Plane_Crash_and_the_Effects_of_Democratic_News_Sharing +Desertion +Decentralized_Autonomous_Organization +Annie_Leonard_on_the_Commons +Meshnet_Darknetplan_Subreddit +Judith_Innes +R_%26_D_Plus_Strategy +Urban_Roots +Tkacz,_Nate +Introduction_to_the_Japanese_Freeter_Unions +University_of_Mondragon +Immaterial_Value_and_Scarcity_in_Digital_Capitalism +Public_Administration_and_the_Impact_Economy +John_Wilbanks_on_Cognitive_and_Cultural_Interoperability +Richard_Logie_on_the_Business_Exchange_TBEx_in_Aberdeen_Scotland +Michel_Bauwens/Testimonials +Linton,_Michael +Customer-Build_Network_Infrastructures +Neo-Patronage +Voter_2010 +Nodilus +Open_Source_Ontology_Editor +Terra_Futura +Participatory_Service_Networks +Juan_Mart%C3%ADn_Prada_on_Subjectivity_and_Resistance_in_Blogging +European_Debt_Resistance_Movements +P2P_Routing_System +Evolution%27s_Arrow +Engagement_Economy +Role_of_Lotteries_in_Decision_Making +Creativity_in_Fashion_and_Digital_Culture +SureChemOpen +Open_Companies +-_Filesharing:_for_music +Open_the_Classroom +Larry_Augustin_on_the_Business_of_Open_Source +Indianos +Understanding_Modern_Money +Web_Credits +Constrained-Choice_Sales_or_Service_Cluster +Open_Platform +Open_Network_Service +Health_and_Healthcare_Institutions_as_Commons +Eleonora_Oreggio_on_the_Making_of_a_Female_Hacker +Epicenter +Web_Payments_Community_Group +Why_GDP_Doesn%27t_Add_Up +Boolean_domain +Infinite_Touch_Points +Accounting_for_Common_Wealth +Tom_Guarriello_on_Using_YouTube_for_Community_Building +Ubuntu_Linux +User-Verifiable_Telematics +MakeMe +Open_Source_Identity_Projects +Global_Digital_Activism_Data_Set +1._Le_peer_to_peer:_nouvelle_formation_sociale +Community-Led_Air_Quality_Sensing_Network +Airwaves_Trust +Geo-tagged_Conflict_Data +Simon_Emmanuel_Roux +Chris_Anderson_on_Free_as_the_Future_of_a_Radical_Price +Georg_Pleger_%C3%BCber_Gemeingut_basierte_Wirtschaft +Asian_Cyberactivism +Open_Source_Remote-Controlled_Aircraft +Azureus +Education_in_the_Creative_Economy +William_Black_on_Elite_Frauds_and_Economic_Crises +Continuous_Media_Markup_Language +Free_Civic_Data +Commons_Based +Public_Finance_based_on_Early_Christian_Teachings +Phenotropics +TestNewEntry +Distribution_of_Labor +Universe_of_Discourse +Commons_as_a_Transformation_Paradigm +Electronic_Literature_Directory +N-1 +Transition_Management +David_Weinberger_on_What_Information_Was +Knowing_Knowledge +Ralph_Schroeder_on_Social_Interaction_in_Virtual_Environments +Danah_Boyd_on_MySpace_at_OReilly +Meu_Rio_-_BR +GIVE +Forms_and_Modes_of_the_Free_Software_Society +Charles_Eisenstein_and_Chris_Lindstrom_on_the_New_Myth_of_Money +Rosa_Acevedo +RedPhone +Making_Society +Maker_Works +Credit_Clearing +Coleman,_Stephen +Writing_the_Self +Commons-based_Peer_Production_of_Physical_Goods +Review_of_the_Open_Educational_Resources_Movement +Recursive_Public +Towards_a_Place_for_Study_in_a_World_of_Instruction +Maude_Barlow +Micromultinationals +European_Regulators_Group +Micro-Innovation +Boundary_Object +Personal_Limits +Wright,_Erik_Olin +Copyleft-Friendly_Publishers +Great_Disruption +Guy_Standing +Alexander_Wissner-Gross_on_Planetary_Scale_Intelligence +Distributed_Social_Network_Projects +Coinbase +Social_Creativity +Peter_North_on_Local_Money +Marios_Papachristou +Participatory_Cultures +Open_Collaborative_Design +Open_Source_3D_Printing_as_a_Means_of_Learning_in_Two_High_Schools_in_Greece +Feed_the_Movement +Rudolf_Frieling_on_Participation_in_Art +Exclusive_Dunbar_Number +Peercover +Potential_of_Open_Design_for_Eco-Efficient_Product_Development +Public_Diplomacy_2.0 +Social_Franchising +Open_Source_CNC_Milling_Machine +Crowdsourced_Crisis_Response +Open_Science_Funding +Conversational_Index +Local_Farming_Platforms +Ecuador%E2%80%99s_Buen_Vivir_Socialism +Global_Development_Commons +Network_Revolution_in_the_Middle_East +Church_of_the_Churchless +Post-Capitalist_City +Pierre_Levy +Rivalry +Revver +Buglabs +Alex_Rollin%27s_Blog +Peer_to_Peer_-_Political_Strategies +How_Occupy_Has_Shifted_the_Shifting_Economic_Paradigm +Pierre_Chappaz_on_Media_2.0 +Index_of_Sustainable_Economic_Welfare +Amiestreet +Introduction_to_the_Semantic_Web +Fresadora_CNC_El_Salvador/es +Joshua_Blumenstock_on_Using_Big_Data_to_Understand_the_Implications_of_the_Mobile_Phone_Revolution_in_Ruanda +Transition_Proposals_Towards_a_Commons-Oriented_Economy_and_Society +Network_Capital +Sm%C3%A1ri_McCarthy%27s_Agenda_for_the_Icelandic_Constitutional_Assembly +Impact_of_Information_and_Communication_Technologies_on_Democracy,_Activism_and_Dictatorship +Marc_Rotenberg_on_the_State_of_Online_Privacy_2009 +Research_Positions_for_the_Transition_Towards_a_Open_Commons-Based_Knowledge_Society_in_Ecuador +Open_Conspiracy +Wikipedia +Global_Oneness_Project +Why_Good_Things_Happen_to_Good_People +How_Technology_Is_Transforming_Scholarly_Practice +Online_Identity_Bibliography +Critical_Introduction_to_Social_Media +Collaborative_Moderation +P2P_GNU_Social +Juliet_Schor_on_the_Four_Fundamentals_of_Plenitude +Future_Craft +Music_Piracy_and_the_Remaking_of_American_Copyright_in_the_Twentieth_Century +New_pathways_to_Value_through_Co-Creation +Fab_Focus +Multi-Stakeholder_Co-op +Economics_of_Happiness +Ran-Tanning +Object-Oriented_Sociality +Reviews_of_Co-operation_in_the_age_of_Google +Center_for_Ecoliteracy +Rishab_Aiyer_Ghosh_on_Challenging_Intellectual_Property_Rights +Open_Source_Social_Bookmarking +Open_Energy_Monitor +Networked_Culture_vs._Connected_Culture +-_Vlogging +Participative_Oligarchies +Googlization_of_Everything +MetaCurrency +John_Coate_on_the_Countercultural_Origins_of_Cyberculture +Open_LS_Route_Service +Open-Universal_Digital_Currency_project +Biosimilars +Community_Shares +Leadership,_Strategy,_and_the_Soul +Wiki-histories +New_Medievalism +Association_of_Virtual_Worlds +Eudea_Wikitown +Russian-Language +Commodity_Ecology_Institutions +XMPP_Standards_Foundation +Intermediary_Censorship +Communal_Studies_Association +Towards_a_Typology_of_Internet_Governance +Bernard_Lietaer_on_the_Future_of_Money +Energy_Autonomy +Elizabeth_Henderson_on_Sharing_the_Harvest_through_Community-Supported_Agriculture +Invisible_Handshake +Free_Networks +Empowering_Public_Wisdom +Publishing_House +Taiaiake_Alfred_on_Indigenous_Governance_and_the_Philosophy_of_Relationship +Supply_Chain_Unionism +Metabolic_Currency +Producing_Industrial_Goods_Through_the_Commons +Optimized_Link_State_Protocol +Videos_on_Participatory_Democracy_on_Youtub +Denis_Postle +ParaiSurural/es +Social_Bandwidth_Sharing +Earth_System_Grid_II +Commons-Based_Agricultural_Innovation +Participatory_Culture_Foundation +Greece +Decentralized_Media_Publishing_Platform +Debt_Strike +Adam_Greenfield_on_Smart_Cities +Luo_Shihong +End_of_Power +History,_Community_and_Law_in_the_UK_Co-operative_Movement +Online_Games_And_Reforming_Intellectual_Property_Regimes +Open_Graph +IODA +Public_Domain_Advocacy_Organizations +How_Occupy_Has_Shifted_the_Economic_Paradigm +Appreciative_Inquiry +Extensible_Messaging_and_Presence_Protocol +When_the_User_Makes_the_Difference +Common_Goods +Water_Jet_Cutters +Common_Law +InVesalius +Personal_Manufacturing_Machine_Makers +Superneutral_Moral_Capitalism +Five_key_steps_towards_a_food_system_that_can_address_climate_change_and_the_food_crisis +Group_22 +Six_Mind_Changes_Necessary_To_Achieve_Global_Community_Policies +Danah_Boyd_on_Transparency,_Government_Data,_and_Online_Communities +Avatar +Open_Source_Robotics_Foundation +Consensus_Methodology_at_Occupy_Wall_Street +P2P_Cloud_Computing +Alan_Watts_on_Passionate_Production +Beatriz_Martins +BioMed_Central +Maker_Factory +P2P_Brut +Paying_Attention +The_theory_of_great_surges +Freeconomy +Temporary_Autonomous_Zone +Urban_Farming_Entrepreneurship +Markos_Moulitsas_Zuniga_on_his_experience_with_Daily_Kos +Casa_Netural +Internet_Infrastructure +Melia_Dicker_of_on_Reschooling_Yourself +Linus_Torvalds_on_Open_Peer_to_Peer_Design +Interview_with_James_Howard_Kunstler +Being_at_Home +Holergy +Open_Source_Solar_Photovoltaic_Technology +Seettu +Open_Ontology +Workers_Cooperatives_News +OpenLuna_Foundation +Return_On_Attention +Transition_Handbook +Center_for_Building_a_Culture_of_Empathy +Open_Food_Facts +Derek_K._Miller_on_Digital_Executors +Rabbi_Lerner_on_Spiritual_Activism +What_Have_We_Learned_From_MOOC%27s +Structured_Debate +Initiative_for_Rethinking_Economy +Valentin_Dander_on_Open_Government_Data +Veotag +Rebirth_of_Guilds +Extreme_Energy_Initiative +The_necessity_of_an_actively_%E2%80%98tagged%E2%80%99_digital_public_domain +Etherpad_Foundation +Attlee,_Tom +Open_Transactions +Group_Forming_Networks +Tito_Jankowski_on_Pearl_Biotech +Germ_Form_Theory +Tara_Hunt_on_Co-Working +Berlin_Commons_Conference/Workshops +Miguel_Said_Vieira +Current_events +Centup +Hacking_and_Power +IP_Maximalism +Chris_Corrigan_on_Unconferencing +Socialist_Individualism +Minutos +FairWare +E2C/ +Psycho-Power +Deborah_Estrin_on_Participatory_Sensing +WikiHow +Kevin_Rose_on_Digging_a_Smarter_Crowd +Antifragile_Things_That_Gain_From_Disorder +How_to_Achieve_a_Free_Accessible_Stable_Economic_Common_Value_Representation +Internet_Activa/es +Mitch_Altman_on_What_is_a_Hacker +Economics_of_Flow_vs_Economics_of_Accumulation +Participatory_Mobile_Urbanism +Starting_a_P2P_Network +Collapse_of_Complex_Societies +Social_Acccounting_Mentality +Global_Resource_Exchange_Groups +Net_Positive_Solar_Projects +Fab@Home_Project +Open_Manufacturing_Equipment +Fee_and_Divided_Carbon_Tax +Community_Land_Partnership_for_Rural_Housing_in_Scotland +Justin_Oberman_on_Advocacy_in_the_Mobile_Age +Metareciclagem_-_BR +Complex_Networks +Michael_Gelobter_on_the_Future_of_Energy +Cambalache/es +Tizen +IT_for_Change_-_India +Wiki_Pattern_Language +John_Michael_Greer_on_the_End_of_the_Industrial_Age +Project_Danube +Clay_Shirky_on_How_Cognitive_Surplus_Is_Changing_the_World +Guifi.net_Ortuella/eu +Hendro_Sangkoyo +Mojo +Recycling +New_Media_and_Social_Movements +Freedom_(TM) +Sherry_Turkle_on_Privacy_and_Identity_on_the_Web +Richard_Stallman_on_the_Free_Software_Movement_and_the_Future_of_Freedom +P2P_Foundation_Wiki_Installation_Maintenance_and_Upgrade +Micro_Lecture +Carl_Wilson_on_how_MP3%27s_are_changing_the_Sound_of_Music +Patent_Tools_Commons +Ronald_Cohen_on_Community_Development_Finance +Teens%27_Attitudes_on_Social_Privacy_in_Networked_Publics +Internet_Community_Governance_-_Bibliography +Transfinancial_Economics +Mozilla_Open_Badge_Infrastructure +Website_Improvements/Wiki +Open_Stack +Open_Innovation_Software +Attraction_of_Activism_from_the_Hacker_Perspective +Brakteaten_Money +Proposal_Side_Event:_Commons_in_Intentional_Communities_-_2013 +Silke_Helfrich +Marco_Fioretti +Local_Currencies_for_Global_Resilience +Fiare/es +Beagleboard +Polycentric_Governance +Alternative_Futures_of_Globalisation +Open_Beyond_Software +Knowledge_Spillovers +Contributions_of_Buddhist_Economics +Worker_Cooperative_Incubation +Wikipedia_and_the_Politics_of_Mass_Collaboration +IEEE_802.22 +Open_Shapes +Social_Return_on_Investment +SELF +Commons-based_Peer_Production +Community_Development_Credit_Union +Impact_of_Web_2.0_Technologies_on_Peer-to-Peer_Lending_Transactions +OsmocomBB +What_is_Bitcoin +Make_It_Yourself +Structural_Classism,_the_State_and_War +Cape_Light_Compact +Emerging_Alternatives_to_the_Shareholder-centric_Model +Occupy_Net +Foundations_for_an_Environmental_Political_Economy +Superempowerment +Energise_Barnet +Sustainopreneurship +OS_0_1_2 +Data_Roads_Foundation +Biohackers +Revenue-Sharing +Citizen_Journalism_Visualization +%CE%97_%CE%91%CE%BD%CE%AC%CE%B4%CF%85%CF%83%CE%B7_%CF%84%CE%B7%CF%82_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7%CF%82_%CE%A0%CE%B1%CF%81%CE%B1%CE%B3%CF%89%CE%B3%CE%AE%CF%82_%CE%BA%CE%B1%CE%B9_%CF%84%CF%89%CE%BD_%CE%9A%CE%BF%CE%B9%CE%BD%CF%8E%CE%BD_%CE%91%CE%B3%CE%B1%CE%B8%CF%8E%CE%BD +David_Ronfeldt_on_the_Assurance_Commons +Source_Control_Management_System +-_Mobcasting +Rob_Peters +Open_Scholarly_Revolution +Politicopia +Pluriarchy +Open_Decentralized_Course +Phase_Transitions +Ownership_State +All_Trials +City_State_Code_-_Germany +Public_Domain_Torrents +Wikirebels +Crowdsourced_Mapping +Green_Alliance_Circular_Economy_Task_Force +Registered_Commons +My_Home_Life +Jon_Steinman_on_Local_Food_Community_Organizing +Open_Source_CNC_Systems +Giving_Knowledge_for_Free +Commons_Rights_Are_Not_Legal_Rights +Blip_TV +Incredible_Edible +Institute_for_Internet_and_Society +Diabetis_Genetics_Initiative +Crowd-Working +Music_2.0_First_Monday_Podcasts +TextMob +Rui_Valdivia/es +Circumstantial_Community +Why_Trusted +Social_Accountability +Business_Models_for_the_Commons +Participative_Perspective_on_Transformative_Practice +Ren_Reynolds +Crowdfunding_Social_Good +Compositionism +Statistical_Analysis_of_Open_Design +Clay_Shirky_on_the_Organizational_Advantages_of_Group_Leadership +Code_for_America_Peer_Network +Ele_Carpenter_on_the_Open_Source_Embroidery_Project +Technology_for_Transparent_and_Accountable_Public_Finance +Fedora_Project_Greece +History_of_Humanity%27s_Relationship_with_Nature +Vint_Cerf_on_Internet_History +Rushton_Hurley_on_the_Next_Vista_for_Learning_Project +Return_of_Principal_Only +Free_%26_Open_Local_At_Best +Online_Custom_Fabrication +Tetrad_Concept_-_McLuhan +Associative_Economics +Commonwealth_of_Australia_Bank +Motivation_for_the_Conference +Open_Source_Voice_Application_Framework +P2p_lending +Equally_Shared_Parenting +Creditright +Tulip +Strategic_Nonviolent_Direct_Action +Community_Knowledge_Gardening +Toolbox_for_P2PF_Online_Community +Art_of_Not_Being_Governed +Lego_Mindstorms +Participatory_Turn +Internet_Sharing_License +Occupy_the_Law +Social_Savings_Bank +History_of_Community_Asset_Ownership +Moritz_Renner_on_Societal_Constitutionalism_and_the_Global_Economy +Does_Culture_Evolve +Social_Purpose_Currencies +P2P_Licensing +Art_of_Hosting +Tonika +Personal_Media +Leah_Busque_on_Outsourcing_Your_Life_Through_TaskRabbit +Watkins,_Chris +Social_Media_Club +Exclusion_Principle +Mesh +Law_of_Cooperatives +Reputation-based_Governance +Sam_Hopley_on_Time_Banking +Open_Source_Microblogging +Neighborhood_Revitalization_Program_-_Minneapolis +WiFi_Radio +Weakly_State-Like_Entities +Anti-Free_Software_Movement +Study_Organizers +Decolonization_and_State_Refounding_in_Ecuador +Community-Owned_Assets +Limits_to_Privatization +Reciprocity_in_Perpetuity +Kim_Nommesch +Howard_Rheingold_on_the_Smart_Mobs_in_Korea +Helsinki_Timebank +Alex_Munslo_w_on_Running_Open_Space +Game_Theory +Personal_Learning_Environments +Manufacturer-Centric_Innovation +P2P_Blog_Movement_of_the_Day +Great_Lakes_Commons +Open_Social_Web_Standards +Alliance_for_Public_Technology +Open_Source_Biogas +DotCommunist_Manifesto +Stefan_Meretz +Eben_Moglen_on_Universal_Access_to_Knowledge +Mute +Video_Whiteboard_Introduction_to_the_Solar_Rooftop_Revolution +Flashmobs +City_and_the_Grassroots +Assurance_Game +Jason_Sigal_on_the_Free_Music_Archive +Open_Congress_on_Creativity_and_the_Public_Domain +Imag%C2%ADi%C2%ADnal_Machines +Sound_Copyright +Collaboration_by_Difference +FreeLab_-_Poland +Advantages_of_Decentralization +International_Simultaneous_Policy_Organisation +Public_Parts +Fabbing_Industry +Open_Commons_Region +Top_50_P2P_Projects +Seigniorage_Reform +Edelman_Peer_Trust_Barometer +Thinglink +Independent_Working_Class_Education_Network +Solari +Universal_Commons_Code_of_Ethics +Philippe_Aigrain_on_a_new_policy_for_the_information_age +Process_Network_building_theory +Strategic_Intelligence +Goods_-_Typology +Te_Ao_M%C4%81ori +Jenny_Kassan_on_Raising_Capital_for_Cooperatives +Is_the_Decision-Making_of_the_Occupy_Movement_Bureaucratic +Free_Software_Production_-_Class_Structure +Mass_Interpersonal_Persuasion +Community_Networking_Markup_Language +Liberation_Technology +Citizen%27s_Economy +Green_Governance,_Human_Rights,_and_the_Commons +Joost +Dafermos,_George +Greenback_vs_Goldbug_Debate +Desktop_Circuit_Makers +Social_Technology_and_Emergent_Democracy +Andres_Monroy-Hernandez_on_Designing_for_Remixing +Josef_Prusa +Richard_Douthwaite_on_Debt-based_Money +Japan +Digital_Future_Coalition +5._%22Network_Theory%22_or:_The_Discovery_of_P2P_principles_in_the_Cosmic_Sphere +Drupal_Decisions_Module +Open_Hardware_Raised-Bed_Garden +Austrian_Economics +Owned_and_Operated +Map_Knitter +Be_Welcome +Art_Gift_Economy +Richard_Grossman +Open_Source_Political_Toolkit +OStatus +Affective_Capitalism +Preservation_of_Equity_Accessible_for_Community_Health +Frutos_de_Utopia +Artists_as_Commoners_in_the_Years_of_Indebtedness +Critique_of_Ambient_Technology_and_the_All-Seeing_Network_of_RFID +Peasant_Evolution_Producers%27_Co-Operative +Cooperativism +Fundacion_de_los_Comunes +David_Wiley_on_Learning_Objects,_Openness_and_Localization +Green_Worker_Cooperative%E2%80%99s_Co-op_Academy +New_Consciousness_for_a_New_World +HackerSpace_Status_API +Low-Energy_Lifestyle_Lessons_from_Cuba +Viking_Democracy +New_Relational_Paradigm +Temporariness_Society +Futures_of_Power,_wiki_project +Free_Software_in_the_Public_Sector_-_WOS_2004 +Murray-Rust,_Peter +Magnatune +Joining_the_P2P_Foundation_Scientific_Research_Network +OSTrac +Artistic_Freedom_Voucher +Meta_Collab +Citizen_Shipper +Grafitos_Workers_Council_-_Venezuela +Mur_Lafferty_on_the_Open_Media_Movement +Exchange +Crowdfunding_with_IndieGoGo +Open_Science_Information_Sources +Is_Peer_Production_a_Real_Mode_of_Production +Open_Wireless_Hardware +Costs_of_Living +Collaboration_Oriented_Architecture +Open_Source_MAVs +A_Economia_Pol%C3%ADtica_da_Produ%C3%A7%C3%A3o_entre_Pares +Democracy_Lab +Critique_of_Kickstarter_as_a_Scam +Eben_Moglen_on_Privacy_and_Voluntary_Data_Collectives +Moving_Image_Archive +Crowdsourced_Border_Patrol +Reputation_Gaming +De-centered_political_strategies_-_Miguel_Benasayag +Yoonseo_Kang +Price +Eric_Boyd_on_Peak_Oil_Collapse_and_Techno-Utopianism +Wizard_of_Oz_as_Money_Myth +LinuxChix +REVES +Minimally_Invasive_Education +Freeloading_as_a_non-problem +Ed_Freeman_on_What_is_Stakeholder_Theory +First_Democracy +Open_Source_3D_Scanning +Map_of_Openness +Free_the_Network +Panoply +Don_Tapscott_on_the_Taxonomy_of_Networks +Designing_for_Peer_Learning_and_Mentoring_in_New_Media_Environments +Timo_Hannay_on_Social_Networks_for_Scientists +UNEP_Sustainable_Consumption_and_Production_Branch +Fundamental_Principles_of_Communist_Production_and_Distribution +OASIS +Alternative_Economic_Systems_in_Asia +Challenges_of_the_Global_Information_Society +Global_Income_Foundation +Thermodynamic_Roots_of_Economics +Rise_of_the_Green_Left +A_Revolution_in_the_Making +Lynn_Levy_on_the_Price_Equation_on_Altruism +Edupunk +Open_Pandora_Music_Player +Ateneu_Candela/es +Greg_Whisenant_on_Open_Crime_Data +Social_Contract_for_Housing_in_Ecuador +Rebecca_Moore_on_Mapping_Tools +Teaching_to_Learning_Paradigm_Shift +World_Community_Grid +Circular_Multilateral_Barter +Leaderful_Charisma +Pedro_Markun_on_the_Forest_Watchers_Project +Javier_Livas_on_Viable_Systems_vs._Complex_Adaptive_Systems +Open_Source_Ecological_Science +Immanuel_Wallerstein +OHM2013 +Occupy_Wall_Street +Free_Knowledge_Institute +Roberto_Verzola_on_Respecting_the_Nature_of_the_Goods +Rebecca_Solnit_on_Disasters_and_Mutual_Aid +New_Commons +Jack_Kloppenburg_on_the_Open_Source_Seed_Initiative +Mapping_Grassroots_Currencies_for_Sustainable_Development +Farmer%E2%80%99s_Markets +Forging_a_New_Global_Network_of_Sustainable_Food_Communities +Agorist_Radio%27s_Cypherpunkd_Podcast_Interview_Series +Counterpower +Friendship_and_Social_Network_Sites +The_European_Association_of_Cooperative_Banks +Bitcoin_Stack_Exchange +Delivered_in_Beta +Regenerosity +Elizabeth_Goodman_on_Walled_Gardens +Supercool_School +Common_Right,_%C2%ADEnclosure,_and_Social_Change_in_England +Social-Public_Partnerships +Miriam_Meckel_on_Drivers_of_Online_Trust +MicroID +CSR_2.0 +Social_Knowledge +Wealth +Civil_Economy +Lead-User_Innovation +Community-Funded_Reporting +Background_on_the_Icelandic_Constitutional_Assembly +Micropower +World_of_Information +Andrea_Botero_on_Infrastructuring_the_Commons +Crowdsourced_Product_Development_and_Design +Ernst_Schumacher +Giving_Knowledge_For_Free +Michael_Hudson_on_Debt_Creation_as_Wealth_Creation +Mark_Fisher_on_Capitalist_Realism +Open_Cinema_Camera +Aaron_Swartz_on_the_Parpolity_System +Open_Source_Support_Vendors_-_Business_Models +Creating_a_Life_Together +Social_Gaming +FOSSFA +Code_Wars +Metanomics +Why_the_Growth_Imperative_is_Linked_to_our_Monetary_Format +Social_Location +Sustainable_Network_Movement_-_Spain +Yochai_Benkler_on_Net_Neutrality,_Competition,_and_the_Future_of_the_Internet +Swap +CSTART_Social_Contract +RecentChangesCamp +Fair_Use_in_the_U.S._Economy +Committers +Ethical_Food_Futures_for_Mid-Sized_Cities +Mirror_Neurons +Community_Workshops +Genocide_by_Denial +Distributed_Research_Lab +CEO_Guide_to_Corporate_Wikis +Servant_Leadership +Free_Software_versus_Proprietary_Software +Excludability_of_Free_Software +How_Shared_Spaces_Are_Changing_the_World +Nichepapers +Fab_Spaces +Case_of_Basic_Income_for_Third_Way_Politics_after_the_Global_Crisis +Tribes_of_Intelligence +Lessons_Learned_from_the_RepRap_Project +Galloway,_Anne +Scratch_Eguna/eu +Peer_To_Peer_University +Fair_Use +Quantitative_Easing_for_the_People +OSOSS +Adam_Hyde_on_Open_Web_Book_Sprints +Sustainable_Garden_Network +Levels_of_Wealth +Integrative_Ecososial_Design +Steve_Case_on_Revolution_Health +P2P_Research_Cluster +Jukka_Peltokoski +3D_Scanning +Susan_Clark_on_Slow_Democracy +Jeff_Howe_on_the_Role_of_Non-Monetary_Incentives_in_Crowdsourcing_and_Social_Production_Projects +Equity-Based_Money_System +Post_Literacy +Savings_Pool +Crowdsourced_Politicians +Towards_a_free/_libre/_open/_source/_university +Citizen_Owned +Constituent_Empowerment +Maker_Journalism +Public-Commons_Partnership +Jon_Wilbanks_on_Second-Generation_Open_Access +Sistema_de_Salut_P%C3%BAblica_Cooperativista_(SSPC)/es +Ctheory_Michel_Foucault_Symposium +Interview_with_Yann_Moulier-Boutang_on_A2K +Credit_Union_Book +Wolfgang_Hoeschele_on_How_To_Achieve_More_Equitable_Exchange_Relationships +Energy-backed_Currencies +Co-Creation_Connection +Primitive_accumulation_of_capital +Commons_vs_Commodities +Direct_Democratic_Ownership_and_Management_of_Natural_Resources +Study_of_Open-Source_Software_Commons +Reusable_Media,_Social_Software_and_Openness_in_Education +Paul_Glover +Patents +Superordinate_Goal +Open_Teaching +PEP-NET +Search_Neutrality +Property_Practices_in_World_of_Warcraft +Workers_Control +Utopian_Thought_for_an_Anti-Utopian_Age +Cloud_OS +Open_Source_Hardware_Business_Models +Subscription_Age +Placeblogging +Understanding_Knowledge_as_a_Commons +Star_Trek_Collaborative_Fan_Movies +Criticism_of_Facebook +Patients_Like_Me +Morality +Fablab +All_for_All +StatusNet +Rise_of_Peer_to_Peer_Filesharing +Hypervideo +Green_Party_Integrated_Consensus-Consent-Voting_Model +Minga +El_Paliacate_Espacio_Cultural/es +Open_Medicine +Ten_Principles_for_an_Autonomous_Internet +Occupy_Wall_Street_Media +Avaaz +P2P_for_Video-sharing +Arthur_Brock_and_Eric_Harris-Braun%27s_Introduction_to_The_MetaCurrency_Project +Douglas_Rushkoff_About_Program_or_Be_Programmed +Digital_Standards_Organisation +People-Centered_Capitalism +Stephen_Downes_on_Access_to_Knowledge +David_Bollier_on_the_Viral_Spiral +NeuroCommons_Project +Piracy_as_a_Business_Force +Free_Beer +Paul_Buchheit_on_Innovation_at_Google,_Friendfeed,_and_Start-ups +Minutes_10/16/2011 +Occupy_Coops +Commons-Based_Needs +Social_Aggregation +New_Approaches_to_Cyber-Deterrence +Sharing_Economy_TV +Trophic_Structure +Privacy_Standards +Interview_with_Charles_Eisenstein_on_the_Ascent_of_Humanity +Capitalism_at_the_Service_of_Humanity +Stowe_Boyd_on_Generational_Shifts_and_Technology +Swaraj_University +From_Free_Hugs_to_Free_Help +Ulrich_Steinvorth +Grup_Think +Liquefaction_of_Society +Michael_Hardt_on_Extending_Love_beyond_the_Couple +Infocology +David_Weinberger_on_the_Web_2.0_for_Politics +Antagonistic_Conflict +Commons-Based_Peer_Production_of_Physical_Goods +Thing_Tracker_Network +Educational_Blogging +Tecno_Brega +Open_Architecture +Prefigurative_Politics +P2P_Foundation_IRC_Channel +Blocking_-_Consensus_Governance +Orphan_Works +Bob_Kahn_on_TCP-IP +Making_Place_for_Abundance +Ethical_Purchasing +Community_Powered_Internet +Nonrival +Costas_Douzinas_on_the_Analytics_of_the_New_Resistance +Intimacy_Gradient +John_Willinsky_on_The_Access_Principle +Generative_Ownership_Design +How_Can_Entrepreneurs_Motivate_Crowdsourcing_Participants +Gary_Hayes_on_Mixed_Reality_Media +Terra_Madre_Network +Profile_Standards +Community_Currencies_and_Sustainability +Myles_Braithwaite_on_Unconferencing_Public_Policy +Gnu_Manifesto,_Peer_Production_and_the_Future_of_Humanity +Digital_Commons +Audio-Screen_Capturing +Moleque_de_Ideias_-_BR +P2P_Foundation_Wiki_Automation +Dark_Side_of_Digital_Culture +Simultaneous-Blended_Conferences +Naked_Conversations +David_Sirota_on_the_Populist_Uprising_in_the_US +Digital_Rights_Watch +Immaterial_Labour_and_the_Class_Composition_of_Cognitive_Capitalism +Judaism_and_the_Commons +MicroPlace +Business_Process_Crowdsourcing +Save_The_Internet +Attention_101 +Strategies_for_Low-Cost_Deployment_of_ICT_in_Developing_Countries +BioCoder +Right_To_Be_Lazy +Tri-Centric_Governance_Model_for_the_Food_Commons +Policy_Proposals_for_a_Commons-Based_Society +Rural_Cooperation_and_the_Online_Swarm +Ezio_Manzini +Open_Source_Embroidery +Pedagogy_of_the_Oppressed +The_Open_Source_Business_Resource +LMS +The_Zeitgeist_Movement +Community_Interest_Company +Introduction_to_Learning_and_Knowledge_Analytics +Market_Adoption_of_Open_Wireless_vs._Licensed_Spectrum +21st_Century_Socialism_-_Venezuela +Medpedia_Project +Web_Search +De_peer-to-peer_economie_en_een_nieuwe_beschaving_gebaseerd_op_de_commons +Open_Source_Intelligence_in_a_Networked_World +Peer_to_Peer_Microfinance_Platforms +Ubuntu_-_Governance +Brazilian_Local_Development_Community_Banks +Jay_Rosen_on_the_Ethics_of_Linking +Spanish_P2P_WikiSprint/i18n +Videos_on_Games-Based_Learning +Wikieuskadi/eu +White_Paper_on_Fractional_Scholarship +GAIA +Open_Publishing_-_Business_Models +Neil_Gershenfeld_on_Personal_Fabricators +Sociale_innovatie_en_de_partnerstaat_als_opkomende_modellen_voor_de_ontwikkelingslanden +Mapping_the_Commons_of_Athens +Open_Food_Source +Redvolution +Quirky +TMP_Lab +Matt_Haughey_on_Managing_the_Metafilter_Community +EcoSocietalisme +Subscription_Farming +Eastern_Standard_Tribe +Intelligent_Fourth_Generation_Entities +Open_Source_Ink +Panel_Discussion_on_Open_Spectrum_and_Labor_Broadcasting +User-Generated_Infrastructures +P2P_Renting +Open_Source_Playgrounds +Desktop_Sewing_and_Embroidering_Machines +Kepasakonlakasa/es +Facebook_in_Reality +Cincompania/es +Robin_Dunbar_on_his_Number +Pyotr_Chaadayev +Michael_Anti_on_How_Blogging_Has_Changed_China +History_and_Structure_of_the_P2P_Foundation +Maemo +Wikimapia +MakerFocus +Nick_Gall_on_an_Internet_Infrastructure_for_Freedom +Leaderless_Resistance +Logic_of_Relatives +Open_Core +Voluntary_Payment_for_Music +Standards_Hub +Plivo_Open_Source_Voice_Apps +Ethan_Zuckerman,_Hal_Roberts,_and_Jillian_York_on_Independent_Sites_and_Distributed_Denial_of_Service_Attacks +Fronteras_Culturales_Imaginarias +Freeplane +Mike_Linksvayer +Non-market_Activities +Libre +How_Capitalism_is_Turning_the_Internet_Against_Democracy +Digital_Social_Innovation +Progressive_Property +Complexity_Spirals +Commons_Creation_Project +Larry_Taub_on_the_Spiritual_Imperative_and_the_Last_Caste +Ferrer,_Jorge +OurProject +Proceedings_of_Subjectivity_in_the_Production_of_Audiovisual_Movements_of_Global_Struggles +Collective_Decision-Making_in_an_Age_of_Networks +Seminaires_sur_les_questions_sociales +Axel_Bruns_on_Produsage +Gov_2.0_Radio +Bucky_Box +Jure_Leskovec_on_the_Dynamics_of_Large_Networks +Internet_for_Robots +Progressive_Utilization_Theory +Solidarity_Franchising +Global_Village_Movement_Status_Report_2008 +Web_Mapping +Economy_for_the_Common_Good +Open_Source_Hardware_Licensing +Open_Location +Sarapis_Page_4 +CfA_Commons +Transformational_Leadership +Indigenous_Cosmopolitics_in_the_Andes +Concept_for_a_Global_Open_Source_Initiative +Leo_Burke_on_a_Radical_Education_for_a_Commons_Culture +Noreena_Hertz_on_Cooperative_Capitalism +Co-Donating +Ridesharing_Platforms +Global_Revolution_TV +Different_Categories_of_Goods_and_Services_and_their_Systems_of_Governance +Internet_Hierarchy_of_Needs +Living_Networks +Free_Press +Fight_Back +Observatorio_participaci%C3%B3n_y_control_social/es +Gesell,_Silvia +P2p-tv-project_van_Kazaa-_en_Skype-oprichters_in_betafase +Gesell,_Silvio +Protopia +Industrial_Ecology +Value_Equation +Occupy_MBA +World_Forum_on_Science_and_Democracy +Reformulating_the_Commons +Eugene_Kolker_on_Life_Sciences_need_to_be_more_data-driven_actionable_and_reproducible +Susan_Gregory_on_the_NE_Seattle_Tool_Library +School_of_Intentioneering +Megan_Quinn_on_Learning_from_Cuba%27s_Agricultural_Transformation_Response_to_Peak_Oil +Paul_Mason_Interviews_Economists_of_Financialisation_on_Escaping_Credit_Serfdom +Yochai_Benkler_on_the_Wealth_of_Networks +Free_Software_for_Primary_Schools +Mozilla_Org +Public_Services_International_Research_Unit +Social_Synergy +Web-Based_Barter_Exchange_Systems +Peer_to_Peer_Dining +Civilizing_the_Economy +OGosh +Bien +Students_for_Occupy_Wall_Street +Homesteading_on_the_Noosphere +Media_Studies_2.0 +Disappearance_of_the_Neighborhood_Assembly_Movement_in_Buenos_Aires +Elizabeth_Eisenstein_on_Emancipation_through_the_Print_Revolution +We_Fab +Meganiche +Three_Principles_of_Social_Organization +Danah_Boyd_on_Youth_and_Social_Media +Immaterial_Labor +Community_Currencies_Law +Open_Word +Abigail_de_Kosnik +Open_Work +Free_Production +Mike_Yohay_on_the_Rationale_for_Urban_Farming +Some_remarks_regarding_the_contributions_of_Michel_Bauwensto_the_activities_of_the_University_of_Amsterdam +3D_Printer +Altermodern +Oscar +Initiative_for_Moderate_Economic_Behavior +Original_Affluent_Society +Groupe_Intelligence_Collective_-_Fing +Mayo_Fuster_Morell_on_the_Governance_Model_of_the_Wikimedia_Foundation +Federated_Search +Differential_logic +Ito,_Joi +Silke_Helfrich_on_the_International_Commons_Conference_in_Berlin +Commons_Machinery +Ki_Work +Herds +EBay%27s_Community_Values +Money_as_Debt +Distributed_Retail +Sifry,_David +Desktop_Embroidery +TagMash +Object +Common_as_Air +Ben_Haggarty_on_Open_Source_Storytelling +Puntasen,_Jim +Community_Broadband_Movement +Peer-to-Peer_Meshwork +Expanding_the_Critique_of_Intellectual_Property_to_Physical_Goods +CCC_Congress_2005 +Open_Moko +National_Equitable_and_Solidarity_System_of_Trade_-_Brazil +New_Media_Literacy +Distributed_Systems +Pledgebank +Astra_Gernika/eu +Bora_Zivkovic +Introducing_an_Economic_Transition_Income +P2P_vs._Hierarchical_Distribution_of_Information +Building_Blocks_for_a_Commons-Based_%C2%ADSociety +Commons-based_Urbanism +Public_Environmental_Lab +Introduction_to_Silvio_Gesell +Peer-To-Peer_Recognition_of_Learning_in_Open_Education +Sponsoring_Consortium_for_Open_Access_Publishing_in_Particle_Physics +Sam_Gregory_on_the_Political_and_Social_Implications_of_Cameras_Everywhere +Collaborative_Filtering +Scientific_Open_Data +Social_Publishing +Solidarity_Economy_in_Brazil +Free_Culture_Manifesto +Openbravo +Contraction_Cycle +Open_InfraRed +Furtherfield_Commons +History_of_Organizational_Forms +Jason_Haislmaier%27s_Introduction_to_Free_and_Open_Source_Licensing +Energy_Crowd +Shirky,_Clay +Open_Source_Digital_Geiger_Counters +Articles +SunFunder +Why_Software_Should_Be_Free +CIRCUS_Foundation +Open_PV_Project +Jaap_Van_Till +Paracity +How_the_Republicans_Invented_the_Internet_in_1984 +Attention_Profiling +Pigovian_Tax +Fan_Ownership +LectureLeaks +Free_Electric_Cars +Aprendices/es +Who_Owns_the_Internet +Fans,_Bloggers,_and_Gamers +Open_Hardware_Electrophoresis_Gel_Box +Giant_Global_Graph +Virtual_Consumerism +50_Proposals_for_Reform_and_Reclamation +Content_Graph +Green_VM_Project +Peer_Production_of_Comprehension +Michael_Shuman_on_the_Small-Mart_Revolution +Collaborative_Research +Social_Media_Case_Studies +Liquid +Richardson,Joanne +Off-Grid_Finance +Simon_Delakorda +Omidyar_Network +Submidialogia_Network +R2R_Research_Process_Protocol_Project +Cooperative_Intelligence +Civil_Society_Reflection_Group_on_Global_Development +Derek_Bambauer_and_Oliver_Day_on_Protecting_Hackers_From_Lawyers +Internet_as_Peer_to_Peer +Functioning_levels +Kosmos_Journal +Digital_Storytelling +Second_Intellectual_Property_Rights_Enforcement_Directive +Agroblogger_on_the_state_of_the_Open_Source_Appropriate_Technology_movement +Maja_van_der_Velden_on_Technology_Design_and_Cognitive_Justice +Michel_Bauwens/Bibliography +Michel_Bauwens/Full_Bio +Mail_Order_Machining +Badges_in_Social_Media +Whose_Streets +From_the_Command_Economy_to_the_eNetworked_Industrial_Ecosystem +Recursive_Publics +Open_Knowledge_Conference_2011 +Social_Control_and_Transparency_Forum +Heritable_Innovation_Trust +Andy_Clark_on_Extended_Mind +Declaration_of_the_independence_of_cyberspace +B_Lab +Ya_Basta_SV/es +Beyond_Commodity +Network_Society_and_Future_Scenarios_for_a_Collaborative_Economy +FreeP +Pearl_Biotech +Network_Neutrality_Squad +Land_as_a_Commons_and_Water_as_a_Commons +Key_Arguments_for_the_Benefits_of_Shared_Designs +Peter_Barnes_on_Capitalism_3.0 +Digital_Publishing_in_Developing_Countries +Distributed_Network +One_from_Many +Open_Source_Commoditization +CC0 +Open_Source_Talent +Market_for_Data_Protection_in_Social_Networks +ActivMob_Health_Platform +Prosumption +Participatory_Unionism_for_Participatory_Public_Services +Canadian_Music_Creators_Coalition +Financialization_of_Food +Play_Ethic +Microrefunds +Open_Source_Finance_Meetup_Group +Rebel_Cities +Open_Budget_Survey +OurMedia_Founders_interviewed +From_Taxing_Income_to_Taxing_Inefficiency +Employment_as_a_Common_Pool_Resource +People%E2%80%99s_Food_Plan_Process_-_Australia +Rochdale +BBC_Open_Archives_News +Propertytrust +Network_Logic +Evaluation_of_Twitter%27s_Role_in_Public_Diplomacy_and_Information_Operations_in_Iran%27s_2009_Election_Crisis +Maker_Incubator +Beyond_Classes +Land_Partnership +Author_Pay_Model_in_Open_Access_Publishing +How_Cooperation_Triumphs_over_Self-Interest +Michel_Bauwens_Video_Interview_on_Open_Source_Design +Poverty_and_the_Commons +Michel_Serres_on_Technological_Exo-Darwinism +School_Factory +-_Viral_Communicators +Peer_to_Peer_-_Poliical_Strategies +Open_Cities +Chrysalis_International +Privately_Owned_Public_Spaces +UC_Berkeley_Courses_on_Video +Occupy_the_Airspace +Part_vs._Whole +Darknet_Panel_Discussion +Hypostatic_Abstraction +Political_Economy_of_Not_Asking_Permission +Peer_and_Cross-age_Tutoring +Community_Building_through_Communal_Publishing +Social_Charters_FAQ +Interest-Free_Microfinance +Open_Data_Grid +No_Software_Patents +ANBI +Food_Commons_Transition +Radio_Indignada +The_Phone_Co-op +Transitioner +Technologies_of_Resistance_-_PhD_Research +Wikinomics +Biospiritual_Virtues +Isaac_Mao +Facilitation +Berne_Convention +End_of_Growth +Web_Ontology_Language +Chris_Cook_on_P2P_Taxation_Reform +Idea_of_a_Local_Economy +User_Generated_State +P2P_Commons_Boundary_Conditions +Living_Systems_Theory +Time_Dollars +Free_Fiber_to_the_Home +Dominant_Assurance_Contracts +Jacque_Fresco_and_Roxanne_Meadows_on_the_Venus_Project +Etsy +Micronomics +Sharing_Pharmaceutical_Research +Magie_du_Chaos +Open_Transport_Currencies +Free_Software%27s_Surprising_Sympathy_with_Catholic_Doctrine +Various_Dimensions_of_the_Concept_of_Common_Good +Revenue_Models +De-commmodified_Property +Economics_of_Community +Eric_Schmidt_on_the_Universalism_of_the_Internet +Joshua_Farley +Networked-Directed_Learning +Bow_Tie_Architecture +Global_Map_of_Fab_Labs +Social_Blood +Open_Advice +Water_Commons_Principles +Tragedy_of_the_Commons +Property_Rights_Management +Government_Open_Code_Collaborative +Asymmetric_Gift_Accounting +2._P2P_as_the_Technological_Framework_of_Cognitive_Capitalism +Comparision_of_Major_Service_Marketplaces +Own +Communitas_Model +Cloud_Publishing +Commons-oriented_Peer_Production_in_Knowledge_and_Software +PopVox +Creators,_Synthesizers,_and_Consumers +Technofixes_Will_not_Work_Without_Absolute_Scale_Limits_to_Commons_Resource_Use +Alma_Swan_on_Open_Access_e-Books_and_Open_Research +Wikitheater +DIY_Innovation +Better_Be_Running +IBM_and_Linux +Marina_Gorbis_on_Evolving_from_Social_Technologies_to_Social_Organizations +Open_Global +Don_Shaffer_on_the_Business_Alliance_for_Local_Living_Economies +New_Economy_Card_Deck +Blake_Boles_on_the_Art_of_Self-Directed_Learning +Stichting_Open_Media_-_Netherlands +Brief_History_of_Open_Source_Hardware_Organizations_and_Definitions +Munnecke,_Tom +Delib +Fruitmap +Using_Emergence_to_Take_Social_Innovations_to_Scale +Health_Services_2.0 +Ashoka:_Innovators_for_the_Public +Critique_of_the_Abstraction_and_Numbers_Only_Approach_of_Mainstream_Economists +Commons_Based_Queer_Production +Bitforchange/es +Spaces_of_Flows +LinkedIn_as_Social_Media_3.0 +Dutch_FabLab_Story +Ethical_Marketing_in_Age_of_Horizontal_Socialization +Case_for_Copyright_Reform +Self-Building +New_Era_of_Networked_Science +Important_notice_on_COPYRIGHT +Studio_Wikitecture +Community_Participation +Fraternal_Beneficiary_Societies +CoComment +File_Sharing_and_Copyright +Irish_Loan_Funds +WikiLeaks_and_the_Age_of_Transparency +Good_Capital +Electron_Beam_Freeform_Fabrication +Open_Education +Mark_Patterson_and_Virginia_Barbour_on_the_Public_Library_of_Science +Free_Hardware_Design +Aiki_Framework +Geert_Lovink +Time-based_Currencies +Berlin_Commons_Conference/Workshops/Legal_Session +Because_Effect +Resilient_City +Mutualism_as_Policy +Sm%C3%A1ri_McCarthy_and_Eleanor_Saitta_on_the_Emerging_Protocoletariat +Stefan_Meretz_on_Demonetization +Parametric_Operator +David_Taylor_on_Radical_Web_Designs_for_Social_Activism +Making_the_Economy_Work_for_the_Commons +Leo_Bonanni_on_SourceMap%27s_and_the_Radical_Transparency_of_Supply_Chains +Functioning_Levels +Google +Manifesto_for_a_Reputation_Society +Secure_Share +Garage_Science +Community_Bonds +Democratic_Institutional_Design +Citizens_for_Open_Access_to_Civic_Information_and_Data +Networked_Future_of_Urban_Agriculture +How_Nature_Avoids_Competition_and_Chooses_Cooperation +Women_and_the_Commons +Grand_Narratives_After_Post-Modernism +Michel_Bauwens_on_Commons-Oriented_Politics +Janelle_Orsi_on_Resource_Sharing +Layer_Manufacturing +Free_University_Network_-_UK +Crowd-Sourced_Microfinance_and_Cooperation_in_Group_Lending +Chinese_Translation +Open_Genomics +Lump_of_Labor +Davos_Forum_on_Powering_the_Creative_Economy +Michel_Bauwens_on_Peer_to_Peer_Politics +Barter +David_Weinberger +Presentation_on_the_School_of_the_Commons_in_Catalonia_for_Future_of_Occupy_Magazine +Filesharing_is_Manufacturing +Tangible_Bit +Pakistan +People_and_Participation +Culture,_Labour_and_Subjectivity +Agalmics +Multigrade_operator +Martin_Dougiamas_on_Moodle +Matching_Patronage_System +Open_Source_Earth +Open_Source_Next_Generation_Multicopter +Gabriella_Coleman_on_the_Anthropology_of_Free_and_Open_Source_Software +Four_Freedoms_of_Free_Culture +Andrew_Famiglietti_on_the_the_Neutral_Point_of_View%27s_Effect_on_the_Moral_Economy_of_Wikipedia +Creative_Commons_Explained +Democratic_Planning +Githubiverse +Utne_Reader_Podcasts +Richard_Florida_on_the_Creative_Class_and_the_Creative_Economy +OpenBuilds +Integrated_Water_Resources_Management_2.0 +Personal_Data_Ecosystem_Consortium +Antagonistic_Usage_of_the_Commons_Concept +On_Internet_Freedom +Towards_planetary,_peer_to_peer,_and_green_consciousness +ROBIN +Capitalism_as_a_Transformation_of_Slavery +Workshop_on_the_Ostrom_Workshop +Mongolian_version +Esther_Dyson_on_the_Genetic_Information_Industry +Open_Source_Pasta +Rosen,_Jay +Social_Contracts_for_Open_Media +Debian_-_Governance +Microtasks +David_Vitrant_on_Microfinance_and_Crowd-Funding_for_Science +Second_Life_Grid_Open_Grid_Protocol +Deterritorial_Support_Group +Buffer_Vehicles_as_Commons_in_a_Carpooling_System +Future_of_the_Internet +Rheingold,_Mark +Educational_Implications_of_Networks +Lecture_Leaks +Non-representational_Paradigm_of_Power +Polish-Language +Dilley,_Mark +Firefox_-_Governance +Multi-Scale_Integrated_Analysis_of_Societal_and_Ecosystem_Metabolism +Primacy_of_Intersubjectivity +Open_Study +Concept_for_Participatory_Policy-Budget_Outreach +Intellectual_Property_as_Artificial_Property_Rent +Scale-Free_Networks +Essential_Components_in_Workplace_Democracy +Learning,_Race_and_Ethnicity +Birgitta_Jonsdottir_on_WikiLeaks_and_Whistleblowing_2.0 +ICA_Co-operative_Principles +Authoring_Society +Collaborating_in_the_Networked_Organization +Jane_McGonigal_on_Gaming_to_Make_a_Better_World +Blue_Labour +Occupy_Wall_Street_Operations_Groups +Public_vs_Private_Control_of_Money_Creation +Calvert-Henderson_Quality_of_Life_Indicators +Seven_Reasons_Why_Free_Software_Is_Losing_Influence +Complex_System_Approach_in_Higher_Education_of_the_Commons +Micro_Hydropower +Otto_Scharmer +Beyond_Broadcast_2006 +Videos_on_Commons_Economics +Vivarium +Taxing_the_Digital_Economy +LifeNet +Li +Hacking_Genomes +Perspectives_on_Free_and_Open_Source_Software +Clearance_Culture +%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CE%A0%CE%B1%CF%81%CE%B1%CE%B3%CF%89%CE%B3%CE%AE +Ten_Best_P2P_Books_of_2010 +Open_Source_Wind_Turbines +Women_in_Open_Source_-_Debian +Public_Social_Partnerships +Change_Congress +State_of_Research_on_the_Collaborative_Economy +Hunnapuh_-_Comentarios/es +Slow_Culture +1000_True_Fans_Model +Project_Ara +Unequal_Protection +Capital_Institute +Commons_Health_Hospital_Challenge +Open_Politics +Kathryn_Milun +Neonomad +Bits_for_Carbon_Trading +Open_Source_Product_Design +Peer-to-Peer_Protocol +Circles +Hack.in +Macrotasks +Physical_Markup_Language +Survival_Guide_for_Citizens_in_a_Revolution +Open_Technology_Initiative +Textbook_Revolution +Steve_Hargadon_on_Reimagining_Education_as_Networked_and_Participatory +Public_Interest_Polling +Books_on_Internet_Radio +Bitcloud +Episcopal_Theological_Support_for_the_Free_Software_Movement +FrogMob +Ethics_of_Open_and_Rebel_Biology +Whiteboarding +OpenRAVE +Commentage +Living_Wage +Intellectual_Property_From_Below +Bazaar_Dynamics +Jimmy_Wales_on_Cooperation_in_Wikipedia +Authority_and_Governance_as_Next_Great_Internet_Disruption +Rooftop_City_Farming +Re-Inventing_Public_Media_in_a_Participatory_Culture +Kevin_Slavin_on_Algorithms_That_Govern_Our_Lives +Darknet_Project +Rights_for_Nature +Law_of_Locality +Art_libre +Who_Owns_the_World +Nicolas_Mendoza_Interviewed_by_Layne_Hartsell_on_the_Importance_and_Workings_of_Bitcoin +Open_Capitalist_Project +Open_Source_Magic +Logic_of_Sufficiency +Richard_Semler_on_Participatory_Management +Move_On +Tony_Greenham_and_Josh_Ryan-Collins_on_Where_Money_Comes_From +Fab_Lab_Athens +SellaBand,_het_geld_en_de_believers +Michel_Bauwens_on_the_FLOK_Society_Transition_Project_in_Ecuador +Catholic_Social_Thought_and_the_Openness_Revolution +Critical_Wine +Spime_ID +Life_At_Work_under_Cognitive_Capitalism +Why_Food_Should_be_a_Commons_not_a_Commodity +ISTE_NETS +Why_Our_Identities_In_Networks_Are_So_Fragile +Rough_Meeting_Notes_from_the_Infrastructure_Stream +Four_Types_of_Co-Creation +Web_2.0_for_Education +Michel_Bauwens:_an_Overview_of_the_Commons_as_Transformation_Paradigm +Open_Source_Urbanism +Rachel_Botsman +Limited_Purpose_Banking +Non-Discriminatory_Routing +Open_Source_Developers_and_the_Ethic_of_Capitalism +David_Korowicz_on_the_Peak_Oil_Tipping_Point_and_its_Economic_Effects +Study_on_Debian_Governance_and_Social_Organization +Civil_Constitutions +Agua_Clara +Logical_Equality +Criminalization_of_Sharing +OpenShorts_Podcast +Knowledge_As_Power +WiFi_P2P +Hue_and_Cry +Wasa2il +Why_Morphogenesis_Implies_Peer_to_Peer_Socialization +Open_Content_Licensing_From_Theory_to_Practice +Localization +Helioforge +Indigenous_Resistance_Models_in_Mexico +GridWise +Isenberg,_David +Group_Thresholds +Energy-Backed_Currencies +BioBrick +Entrepreneur_Commons +Mutual_for_the_Self-Employed +Geoff_Cox_on_Antisocial_Notworking +Elizabeth_McVay_Greene_on_Farmers_Communicating_Directly_with_Consumers +WebRTC +Blogposium +Greenhouse_Development_Rights +Virtual_Location_Metrics +Great_Information_Transitions_in_the_Past_and_the_Present +Michael_Yaziji_on_Rethinking_the_Structure_of_Corporations +Italia_dei_Beni_Comuni +Fabfolk +Programa_de_Agricultura_Urbana_en_Rosario/es +Open_Publishing +Bibliography_of_Michel_Bauwens +Artificial_General_Intelligence +Mark_Surman_from_Mozilla_on_Open_Badges +Hazel_Henderson_on_Socially_Responsible_Investment +Russia_and_the_Next_Long_Wave +Task_Auctioning +Commons_Practices,_Boundaries_and_Thresholds +P2P_Data_Integration_Project +Embroidered_Digital_Commons +Occupy_London%27s_Little_Book_of_Economic_Ideas +Open_Source_DIY_Rapid_Hardware_Prototyping +Open_Book_Publishers +FLISoL/es +Reforming_Markets +Land_Value_Tax +Brian_Newman_on_Online_Distribution_and_Creative_Licenses +Software_Freedoms_and_Parecon_Values +Community_Forests +Commission_on_the_Global_Commons +Copyright +Ned_Rossiter +Goverati +LiMo +Open_Source_Government +Skill_Sharing +Trusted_Computing +Enlightened_Self-Interest +Improvised_Voice_Instrumental_Music +Geeks_for_Good +BioBright +Open_Source_Ad-Hoc_Network_and_Routing_Protocols_and_Platforms +Martin_Webb_and_Marston_Schultz_on_Community_Energy_Projects +Rick_Wolff_on_Workplace_Democracy_and_Cooperatives +Emergence,_Crisis,_and_Replacement_of_the_Era_of_Decentralized_Networks +Re_Purpose +Manifiesto_Crowd +Rhizome_Warfare +Hylo +OpenWave +Europe +Rise_of_the_Naked_Economy +New_Traditional_Economy +Primavera_De_Filippi +Zeitgeist_London_Minutes +Self-Contained_Aquaponics_Solar_Greenhouse +San_Francisco_Urban_Agriculture_Law +African_Social_Technology_Blogs +Collaborative_Commons +Swarm_Operating_System +Community_Geothermal_Energy +How_Twitter_Is_Changing_Policing +Mark_Earls_on_Herds_and_Mass_Collaboration +Ruby_Van_der_Wekken +Autonomous_Drones +Global_Network_Positioning +Por,_George +P2P_Learning_Seminar +Dramatic_Growth_of_Open_Access_Series +Citizen_Intelligence_Agency +Metagovernment_Project +4th_Inclusiva_-_Kirsty_Boyle +Peer_Production_of_Public_Policy +Ward_Cunningham_on_the_Invention_of_the_Wiki_and_its_Impact +Paypal_Wars +About +Collective_Behavior +Social_Networks_And_Group_Formation +NGO_in_a_Box +Transition_-_The_Movie +United_Transnational_Republics +Open_Source_Unionism +Ram%C3%B3n_Reichert_on_Power_and_Self_in_Wikipedia +Purpose-driven_Media +PART_TWO:_COGNITIVE_CAPITALISM +3DN_Self-Help_Corporation +Print_On_Demand +Global_Common_Law +Heike_Loeschmann +Gill_Friend_on_the_Conditions_of_Success_for_Local_Self-Reliance +Howard_Rheingold_on_How_to_Make_a_Successful_Virtual_Community +Emerging_Media_Ecosystem +Public_Banking +Market_3.0 +Michael_Gurstein_on_the_Open_Data_Divide +Jan_Inglis +Internet_Protocol_for_Smart_Objects_Alliance +Noam_Chomsky_on_the_Politics_of_the_Built_Environment_in_the_United_States +Metanomics_Video_Archive +Community-Supported_Music +Wholeness_Pattern_Language +African_Copyright_and_Access_to_Knowledge_Project +Design_for_a_Post-Neoliberal_City +Cypherpunks_on_Freedom_and_the_Future_of_the_Internet +George_Caffentzis_on_How_Commons_Are_Made +Public_Ownership_and_Common_Ownership +Casey_Fenton_on_the_CouchSurfing_Experience +Berlin_Commons_Conference/SteeringComitteeAndSupportGroup +Spain +Earth-Sculpting_Tech%C2%ADnolo%C2%ADgies +Online_Consultation_and_the_Flow_of_Political_Communication +Soci%C3%A9t%C3%A9_d%E2%80%99Acceptation_et_de_R%C3%A9partition_des_Dons +Peer-Led_Team_Learning_Workshop_Model +P2P_Foundation_Wiki_Requested_Articles +Netocracy +Mimetic_Desire_and_Social_Networks +Characteristics_of_P2P_Networks_as_Organizations +Knowmad +Moneytwins +Ethics_for_the_Information_Age +Splogs +Yochai_Benkler_on_Open_Source_Economics +Peter_Murray-Rust_on_the_Open_Knowledge_Foundation +Book_Crossing +Complex_Adaptive_Systems +Public_Condo_Fiber +Pieter_Hintjens_on_the_Status_of_Software_Patents_in_Europe +Manu_Sporny_explains_RDFa_Basics +Problem_of_Growth +Micro-Donations +Chrematistics +Red_Juvenil_De_Emprendedores_Culturales_MX/es +JAK_Members_Bank_-_Sweden +David_Glazer_on_OpenSocial +Open_Access_Scholarly_Publishers_Association +Fab_Labs +Truth_in_Numbers +Alternative_Trading_Systems +Cloud_Company +Brazil%27s_Digital_Culture +Virtual_Networked_Enterprises +Sharing_Movements +Video_Introduction_to_the_Commons +Scott_Kirsner_on_the_Re-Professionalization_of_Video +Mexican_Common_Property_Forest_Governance +Energy_Economics +OuiShare_Talk_with_Michel_Bauwens_on_the_Economic_Aspects_of_P2P +Seeds_and_the_Laws_Against_the_Commons +The_Holistic_Problem_of_Manufacturing +Collective_Knowledge,_Collective_Narratives,_and_Architectures_of_Participation +Creative_Labour +Theology_of_the_Land +Poderopedia +New_Communications_Podcast_Directory +Wikis_in_Scholarly_Publishing +How_Cuba_Survived_Scarcity +J._Orlin_Grabbe_on_Digital_Cash_and_the_Future_of_Money +Societe_de_Controle +Conscious_Business +TAPR_Open_Hardware_License +Global_Revolution_Channel +Futures_of_Power_in_the_Network_Era +Twelve_Commonwealths +Extreme_Manufacturing +Blobject +Physical_Source +John_Willinsky_on_Open_Access_to_Academic_Literature_and_Open_Education +Dominic_Muren_on_the_Ecosystem_of_Digital_Manufacturing +Forum_for_a_New_World_Governance +Limor_Fried_on_Why_Do_Open_Hardware +Collaborative_Cooking +Formatting_Multimedia_Contributions_to_the_Wiki +Public_Service_Launchpad +Emerging_Church_Movement +Commons-Based_Urbanism +F2C_2009_Panel_on_the_Politics_of_Regulation +Time_Tax +Sustainable_Pangea +Tom_Munnecke +Production_Sharing +Free_Standards_Panel_-_WOS_2004 +Scale-free_networks +Marcy_Darnovsky_on_Progressive_Bioethics +Vasilis_Niaros +15M.cc +MAPPS +Co-Society +Rob_Hopkins_on_the_Transition_Movement%27s_Recipe_for_Resilience +Pay_Never_Business_Model +Anti-Hierarchical_Artifices_for_Groups_to_Use +User-created_Advertizing +Doc_Searls_on_Self-Forming_Markets +Pod2Peer_on_Filesharing +We_Pay +Free_Person +Gaelle_Krikorian +WiFi_Sharing_Communities +MetaBrainz_Foundation +Swift_Trust +Design_21 +College_2.0 +Deccan_Development_Society +P2P_-_Psychological_Differentiation +AshokaTech +Willow_Project +Five_Ways_Government_Can_Help_Collaborative_Consumption +Building_an_Economic_Ecosystem_for_New_Business_Models_and_Ideas +Verbund_Offener_Werkstatten +Urban_Operating_System +Vida_Urbana +Digital_Code_of_Life +Alanna_Hartzok_on_Why_the_Earth_Belongs_to_Everyone +Impact_of_Play_on_Business_Organization +Personality_Driven_Governance_Systems +Open_Service_Definition +Mental_Health_Camp +Open_Source_Seeds_Licence +Illth_Creators +Open_Smartphone +Emergency_Social-Repeater_System +Green_Open_Access +Open_Research_Swarm_-_Finland +Z_Communications +State_of_Exception +Gcoop +Shadow_Media +Personal_Factory +Open_Source_Construction_Material +Global_Freifunk +Peer-to-Peer_Travel_Management_and_Assistance +Internet_Architecture_and_Innovation +Structurelessness +Participatory_Panopticon +Philanthropic_Web +PieTrust +Alan_Moore_on_Engagement_Marketing +Crowdfunding_Nation +Globe_Project +Techorg +Communalization_of_Housework +Debate_on_Collective_Design_for_the_Open_Source_City +Wikimania +Comuna_Under_Construction +Trexa +Danish_User-centered_Innovation_Lab +Are_Patents_Good_for_Climate_Change +Timed_Release_License +20_Theses_against_Green_Capitalism +Global_Citizen_Engagement_Initiative +Clay_Shirky_on_Changing_Forms_of_Hierarchy_and_Leadership +David_Rowe_on_Open_Hardware_Business_Models +Free_Trade_Agreements +Professional_Amateurs +Against_the_artificial_scarcity_induced_by_IP_law +Cultures_of_the_Economic_Crisis +Liquid_Journalism +Capital_Partnership +Occupy_Wall_Street_Town_Planning +P2P_Foundation_Fundraising_Policy +Martin_Walker_on_Validation_and_Accuracy_in_the_Wikipedia +Personal_Research_Portal +Minciu_Sodas_Laboratory +Investing_as_if_Food,_Farms_and_Fertility_Mattered +OpenWallet +One_People%27s_Public_Trust +Potential_of_the_Internet_Governance_Forum_for_Collaborative_Decision-Making_on_the_Future_of_the_Internet +Open_Source_Knowledge_Building +Future_of_Occupy_Collective +Eric_von_Hippel +Scenius +Access_to_Medicines +Peer_to_Patent +Markovski,_Veni +Ourmedia_Learning_Center +Open_Company_Models +Parelon +What_is_Missing_from_Search_Engines +Connexions +Spacehack +New_Laws_of_Online_Worlds +Economics_of_Sharing +Kevin_Kelly_on_What_Technology_Wants +Quarternary_Economics +Global_Domestic_Politics +Richard_Wolff_on_Workers_Self_Directed_Enterprises +Declaration_for_Digital_Rights +Your_Green_Dream +Deep_Craft_Manifesto +Commodification +Counterveillance +Digital_Contagions +Coderdojo +Freecoin +Curation_Nation +Vicky_Sinclair_on_the_Bricolabs_Project +Semiotic_Democracy +Fernanda_Ibarra +Abundance_and_the_Generative_Logic_of_the_Commons +Larry_Halff_and_Todd_Sieling_of_Magnolia_on_Social_Bookmarking +Open_Source_CAD_Files +Flat_World_Knowledge +Zeitgeist_Movement +Community_Shares_Unit +Other_99 +Wikimania_2009_Videos +Plexus +Flow +We_The_People_Have_Found_Our_Voice_at_Occupy_Wall_Street +Digital_Dharma +Tequio +Open_Commons_Region_Linz +Digital_Preservation_Coalition +P2P_Risk_Assessment_Platform +Boolean_function +P2P_Blog_Graphic_of_the_Day +Rally +Coercion_and_Exchange +Networks,_Crowds,_and_Markets +Filipe_Balestra_on_Healthy_Processes_in_Architecture +Strong_Reciprocity +State_Ownership +Network_Topology +Gillmore_Law +Free_Web_Principles +The_Case_for_Open_Source_Appropriate_Technology +Autonomous_Sustainable_Research +Clay_Shirky_on_Self-Organized_Online_Cause_Groups +Another_Production_is_Possible +Open_Attribute +Social_Food +Mark_Elliot_on_the_Participatory_Consultation_Process_for_the_Future_of_Melbourne +From_an_Economics_of_Power_and_Greed_to_an_Economics_of_Compassion_and_the_Common_Good +P2P_Offline_TV +Make_XYZ +FreeSharing_Network%E2%80%8E +On_the_Failure_to_Measure_the_Contributions_of_the_Internet_Economy +Democracy_Player +Restorative_Economy +What_You_Should_Know_About_Peak_Oil_and_Resource_Depletion +Steal_This_Film +No_Growth_Economics +Consensus_Web_Filters +Participatory_Management +Constellation_Model +P2P_Collaboration_Stack +Association_for_Community_Networking +Muhammad_Yunus +Ars_Aperta +Joseph_Smarr_on_the_New_Open_Social_Infrastructure +Inverted_Totalitarianism +P2P_Book_of_the_Year_2012 +Structured_Web +Whole_System_Conversations +Software_and_Technology_Decisions_Are_Inherently_Political +Compression_Groups +Recent_Changes_Camp +Building_the_Burning_Man_Bank +Michel_Bauwens_on_the_Emergence_of_Peer-to-Peer_Culture +Starhawk_on_the_Partnership_Aspects_of_Permaculture +P2P_Radio +Rhizomatics_for_the_People +Transformative_Mediation +Cisler,_Steve +BankSimple +Webcastors +Venessa_Miemis +Predatory_Pricing +Orton_Akinci_on_WebM_and_Ogg_Theora +Metropolitan_Revolution +Amine_Ghrabi +Gold_Open_Access +Ten_Necessary_and_Urgent_Measures_to_Protect_the_Knowledge_Society +Decentralized_Open_Domain_Name_System +Open_Cyprus +Accounting_and_Control_of_the_Labour_Process +Dot-Bit_Domains +National_Rural_Electric_Cooperative_Association +LocalHarvest +Anne%E2%80%90Sophie_Novel +Dangerous_Prototypes +Placeshifting +Commons-Based_Multilateralism +Virtual_Campfire +Global_Adaptation_Index +Whole_Ithaca_Stock_Exchange +OpenPario_Project +Open_Courseware_Consortium +Nature_as_Commons_versus_Commodities +Commons-Public_Partnerships +Christopher_Thornhill_on_the_Political_Code_of_Transnational_Societal_Constitutions +Don_Tapscott_on_MacroWikinomics +Peer-to-Peer_Bikesharing +P2P_News_Network_Recommendations +Medicine_3.0 +Personal_Data_Lockers +F.A.T._Lab +Global_Ethic +Indy_Johar_on_the_Future_of_Capitalism_and_the_Firm +Raymond_Kurzweil +Economic_Good +OpenFlix +Shared_Financing_of_Community-Based_Businesses +Internet,_Social_Media_and_the_Workplace +New_Intersections_of_Internet_Research +Open_Everything_Visualization +Freedom_Not_Fear +Community-Based_Learning +Life-Cycle_Economic_Analysis_of_Distributed_Manufacturing_with_Open-Source_3-D_Printers +How_to_be_Idle +Justin_Clark-Casey_on_Open_Simulator +Vulgar_Libertarianism +Boids +Embedded_Knowledge +Xavier_Carcelle +Materialise +Linking_ICT_with_Climate_Action_for_a_Low-Carbon_Economy +Next_Layer +Open_3D_Project +Squatting +Riseup_Labs +MP3Tunes +Eric_von_Hippel_on_Democratizing_Innovation_and_Norms-based_Intellectual_Property_Rights +Removing_the_Time_Value_of_Money +Wenonah_Hauter +Self-Help_Groups_in_Banking_and_Finance +Studies_in_Mutualist_Political_Economy +Open_Source_Jukebox_Firmware +Pollock,_Rufus +Great_Transitions_Visions +DIYBio_Community_Laboratories +Emer_O%27Siochru_on_Reclaiming_the_Commons +Aaron_Swartz +Human-Machine_Relationship +Mobile_Phones_in_Electoral_and_Voter_Registration_Campaigns +Aggregate_Abundance +Radical_Knowing +Architecture_of_Control +Chillout +Seattle_to_Brussels_Network +European_Forum_on_Income,_Common_Goods_and_Democracy +Prismatic_Organisational_Form +Open_Source_Energy_Project +Peer_Producing_Plenty_in_the_Physical_World +Biomimicry-Inspired_Learning_Theories +Incorporating_the_Commons_in_the_New_Socialist_Agendas +Open_Access_to_Knowledge_and_Information +Eric_Siegel_on_Tinkering_as_a_Mode_of_Knowledge_Production +Crowd_Creativity +Virtual_Sources +Open_Contracting_Partnership +Commons-Based_International_Food_Treaty +Information_Politics_on_the_Web +Better_World_Radio +Tech_of_Cooperation_Map +Jean_Lievens +Opting_Out_vs._Opting_In +Sovereign_Credit +Social_Business_Power_Map +Cory_Doctorow_on_Makers +Global_War_for_Internet_Governance +Pluralist_Commonwealth +Common_Wealth_for_Common_People_Online_Platform +Ali_Abunimah_on_the_Electronic_Intifada +Veronika_Bennholdt-Thomsen +Strategy_for_Achieving_Human_and_Biophilic_Architecture +Recreating_Democracy_in_A_Globalized_State +Prizes_as_an_Alternative_to_Patents +Peer_Power_and_User_Led_Organisations +James_Boyle_on_the_Disaster_of_Scientific_Enclosure_through_Copyright +Sound_Unbound +Collective_Intelligence_Research_Institute +Counter-Economic_Strategies +Research_Reputation_Metrics +Christopher_Allen_on_the_Dunbar_Number +Redesigning_the_Architecture_of_Enterprise_Ownership +How_far_will_User_Generated_Content_Go +Blender%27s_Open_Film_Funding_and_Business_Model +Power +Comanaging_Community_Owned_Resources +Crowd-Driven_Value_Creation +Shigeru_Miyagawa_on_Personal_Media +Myth_of_the_Rational_Market +Ecocity_Builders +Support_the_P2P_Foundation_with_a_Donation_Subscription +Video_for_Change +Lurkers_-_Passive_Observers +Role_of_Experts +Timebeats +Citizen_Circles_System +NORA_Commons_Resource_Model +User-Based_Property +Protecting_Community_Traditional_Knowledge_Rights +Micro-Fame +Takis_Fotopoulos_on_Inclusive_Democracy +Asymmetric_Accounting +Dale_Stephens +Reader_for_Digital_Currency_Design +Proposal_for_Open_Source_Permaculture_Software +Allee,_Verna +Copyleft_vs._Copyright +Value_Streams +Anthropological_Introduction_To_Youtube +Melissa_Hagemann_on_the_Open_Access_Movement +Egypt +Funding_Mechanisms +Rheingold,_Howard +Personal_Fabricators +Michael_Marcus_on_Spectrum_Issues +Net_Neutrality_Debate +SharedEarth_Globally +Conscious_Modularity +Financial_Transaction_Tax +Social_Bicycle_System +Sustainable_Fisheries_Trusts +Christine_Peterson_on_Open_Source_Sensing +Open_Source_Ecology_Europe +Open_Courseware_Initiative +Open_API_and_the_Commons +Economic_Policies_for_Steady-State_Solutions +Seeds_as_Public_Domain_versus_Private_Commodity +Peer-to-Peer_Garden_Sharing +Open_Source_Hardware_Documentation_Jam +Traditional_Knowledge_Commons_License +To_Marry_Medusa +Siemens,_George +Catchment_Wealth +Concept_of_Transition +Production_without_Manufacturer +Jeremy_Rifkin_on_a_Industrial_Policy_for_Distributed_Economies +Free_Economy +Artificial_Property_Rights +UnSYSTEM_Collective +Everything_Open_Source +Wikipolitics +Economics_of_Altruism +Prizes_for_Drugs_Research_and_Development +Morozov,_Evgeny +P2P_Vehicle_Sharing +Helena_Suarez_and_Daniel_McQuillan_on_Web_2.0_Mashups_for_Human_Rights +Digital_Public_Domain +Downsourcing +Crowdhacking +Zero_Carbon_Computing_Infrastructure +GKP_Foundation +Political_Economy_of_Solidarity +Free_Culture_Foundation +What_Went_Right_or_Wrong_with_Open_Government +La_Bicicueva +GNU_Radio +Measuring_Openness +Hyperpeople +Algorithmic_Journalism +Ecotechnology_Buying_Club +Shareholder_Value_Myth +Marshall_McLuhan_Playboy_Interview_1994 +Chaordic_Organizations_-_Characteristics +Hazel_Henderson_on_Ethical_Markets +Community_Currency_System_in_Indonesia +Sharefest +Alliance_for_Lobbying_Transparency_and_Ethics_Regulation +Ideagoras +EnviroLeaks +BitTorrent_Proxy_for_Green_Internet_File_Sharing +Choice_Architecture +Open_Projects +Innovator%27s_Dilemma +Developing_Latin_America +Green_Schools +Envisioning_Real_Utopias +Demand_Regulation_Policy +Mobile_Phones_in_Advocacy +Quimper_Mercantile +Last-Minute_Manufacturing +How_Technological_Design_Incorporates_Social_Values +Peers_at_Play +Stephan_Krall +Internet_Golden_Age_is_Over +Institute_for_the_Study_of_Conflict_Transformation +Alison_Powell_on_Open_Forms_of_Politics +Open_Sciences_Federation +Grid_Networks +Wikipra%C3%A7a +Gen_Kanai_on_Open_Source_in_Asia +Stefano_Rodota +Consegi +Open_Tech_Collaborative +Cap_and_Dividend_Carbon_Trading_Model +Cornell_e-Rulemaking_Initiative +Grid_Interoperability +Open_Collaborative_Innovation +Open_Muni +Center_for_the_Advancement_of_the_Steady_State_Economy +Cybernetic_Revolutionaries +Worker-Owned_Cooperatives +Occupations +High_Level_Architecture_for_Building_Zero_Carbon_Internet_Networks +Berlin_Commons_Conference/Participants +Andreas_Kluth_on_the_New_Nomadism +Production_vs_Consumer_Cooperativism +Common_Property_Regime +Property_commons +P2P_Art_by_Anders_Weberg +MEMEnomics_as_the_Next-Generation_Economic_System +Fritjof_Capra_on_the_Relational_Thought_of_Leonardo_da_Vinci +Manifesto_of_P2P_Ethics +Dunbar_Number +Networked_Young_Citizen +Edinburgh_Cooperative_Capital_Policy_Strategies +From_Monetary_Production_Economy_to_Financial_Production_Economy +FLOK_Society_Project +Net_Zero_Water +People%27s_Community_Market +Open_Sparc +Semmelhack,_Peter +International_Commons_Conference_-_2010/Interpretative_Summary +CCCKC_2011_Panel_on_Maker_Movement,_3D_Printing,_and_Fabrication +Open_Source_Wireless_Coalition +Nikos_Salingaros_on_Peer_to_Peer_Urbanism +Hacker_Spaces_-_Business_Models +Cooperatives_-_Discussion +Orsan_Senalp +Zoybar +Electronic_Police_State +Directory_of_Individuals,_Collectives_and_Organizations_that_Act_for_the_Common_Good +Eric_Blossom_on_Software-defined_Radio +Hacklabs_and_Hackerspaces +Corporate_Takeover_of_Life +Participatory_Value_Creation +Cross%E2%80%93disciplinary_Research +Surviving_the_Apocalypse_in_the_Suburbs +Tim_O%27Reily +Dutch_Community_Land_Partnership +Media_2.0_Workgroup +Social_Structures_of_Accumulation_Book +Access_to_Medecines +Spirik,_Valentin +David_Koepsell_on_Who_Owns_You +Shared_Gardening +Charles_Eistenstein_on_Sacred_Economics +Center_for_Citizen_Media +Consumer-Owned_Cooperatives +FoAM +Constitution_for_the_Federation_of_Earth +Peer_Production_and_Desktop_Manufacturing_in_the_Case_of_the_Helix_T_Wind_Turbine_Project +Open-Source_Cloud_Hardware +Participation_in_Online_Creation_Communities +Social_Commons +Open_Wetware +Shared_Housing +Alex_Lindsay_on_Digital_Craftsmen_for_Development +Attention_Economy_Graphs +Mohammad_Yunus_on_Microfinance +Programming_Collective_Intelligence +How_Should_the_Economy_be_Regulated +Open_Value_Metrics +PhoneBloks +Johan_Soderbergh_on_Ronja_as_Anonymous_Communication_through_Free-Air-Optics +Microtouch +Peer_Governance_-_Semi-protection +Too_Much_Finance +Scarsit%C3%A0_ed_abbondanza +Philippines +Skitter_Graph +Travelers_for_Travelers +Heike_L%C3%B6schmann +Bibliography_on_Peer_Production +ODF_Alliance +IPLeft +Media_Ecologies:_Workshop_on_Collaborative_Platforms,_Social_%26_Material +Yochai_Benkler_on_Peer_Mutualism +Findhorn_Ecovillage_Network +Appropriate_technologies +CP2Pvalue_Commons_Based_Peer_Productions_Directory +Open_Source_Sewing_Patterns +Open_Digital_Village +Blogs_on_Cooperatives +Dividual +Connected_Learning +Standard_of_Value +Open_Movement_and_Libraries +Info-Activism +Audio_Lunchbox +John_Moravec +Free_Cinema_Initiative +Participatory_Literature +Pink_Army_Cooperative +Virtual_Tax_Question +Urbee +Hackspace_Foundation_-_UK +Daniel_Downs_on_Internet_Security +DIY_Rockets +AST_Group +Sassafras_Tech_Collective +Super_Empowered_Hopeful_Individuals +FLOing.org +EUCD +Social_Movements_as_Anti-State_Forces +Steven_Lenos_on_e-Participation_for_Governments_and_Parliaments +Constelaciones/es +Open_Source_3D_Content_Creation +Partner_State +Luddism +Jeff_Ruch_on_the_Art_of_Anonymous_Activism +Medical_Innovation_Inducement_Prizes +Flow_Economics +Mondragon +Rose_Sackey-Milligan_on_Integrating_Spirituality_and_Social_Activism +Abstract_Activism +User_Ownership +Allsourcing +Right_to_Insolvency +Commercial_Open_Source +Policy_Governance +Korean_Candlelight_Protests_2008 +P2P_Domains +Slavoj_Zizek_on_Occupy_Wall_Street +David_Duncan_MacBryde +Maloka +Mutual_Guarantee_Societies +Michel_Bauwens_on_P2P_and_the_Rise_of_the_Network_Civilization +Matthew_Slater_on_Complementary_Currencies_and_Mutual_Credit +E-Textiles_Movement +What_Skills_Do_We_Need_Today +GardenBot +FreeMind +Open_DRM +Hacking_the_Future_of_Money +Collaborative_Map_of_Online_Collaboration_Tools +Free_Internet_Act +Degrowth +Paul_Hartzog_on_Collective_Action_Theories +Distributed_Infrastructures_Visualization +P2P_Foundation:Site_support +Systems_of_Engagement +Alex_Hach%C3%A9_and_Marcell_Mars_on_the_Evolution_from_Digital_to_Urban_Commons +Murray_Bookchin_on_the_Necessity_for_Post-Scarcity_Anarchism_against_Ecological_Destruction +Towards_a_Free/_Libre/_Open/_Source/_University +Shareable_Jobs_Policies +Social_Performance_Platform +Rick_Jacobus_on_Local_Shared_Equity_Homeownership_Programs +Future_We_Deserve +Phone_Liberation_Network +COST +Money_Fix +Unfree_Labour +COSL +Sustainable_Earth_Alliance +Open_Source_-_Market_Aspects +Open_Food_Data +Sovolve +Organization_in_Open_Source_Communities +Pavan_Sukhdev +Beatriz_Busaniche +Communal_Distribution +Persona_Management +First_Mile_Out +Richard_Barbrook_on_the_True_History_of_the_Internet +Identica +Renewable_Energy_Transition_Plans +Open_Band +Currency_Issuing_Procedures +Solar_Flower +Kevin_Carson_on_Ephemeralization_and_Freedom_Economics +License-free_Spectrum +Rethinking_Social_Movements +Multitude_Project +Economics_of_Pure_Communism +Global_Pulse +Open_Source_Software_-_Governance +Four_Design_Principles_for_True_P2P_Networks +Broadband_in_South_Korea +From_the_Communism_of_Capital_to_a_Capital_for_the_Commons +Common_As_Air +Participatory_Studies +Open_Source_Hardware_Volume_2 +Open_Source_Hardware_Volume_1 +Cure_Together +Open_FM +W3C_Federated_Social_Web_Incubator_Group +Authoritarian_and_Democratic_Technics +Digital_Literacy +Overmundo +Fourth_Sector_Organizations +Smart_Swarm +Post-Scarcity_Anarchism +Community_Source_Software +Odiseo +Fractional_Ownership +Dirk_Riehle_on_Open_Source_Business_Models +Social_Performance_Indicators +Mondo_Net +Dmytri_Kleiner_on_the_Political_Economy_of_Social_Media +Equipotentiality +C%C3%A9lya_Gruson-Daniel_on_the_Hack_Your_PhD_Project +Radical_Democracy_as_a_Research_Tradition +International_Assessment_of_Agricultural_Knowledge,_Science_and_Technology_for_Development +Ynternet +Making_Worlds_OWS_Forum_on_the_Commons +Participatory_Aid_Marketplace +Oil_Dependence,_Climate_Change_and_the_Transition_to_Resilience +Skytrust +Rede_Ecol%C3%B3gica +Basic_Income_Guarantee +Personal_Manufacturing_Industry +Word_of_Mouth +Commons_Education_Commons +Voyage_from_Yesteryear +Factory@Home +Fair_Music_Initiative +Alternate_Reality_Games +Anitra_Nelson +OWS_Registering_Working_Groups +Nooron +Charter_for_Compassion +Field_Typology +Critical_Thinking_Compendium +Nicholas_Felton_on_Lifelogging,_Self-monitoring_and_Personal_Reports +Lifelogging +Partido_X +My_Farm +Community_Democracy_Project +Hierohacking +Service_Provider +Anthropocene +What_the_Commons_Is_Missing +Rise_of_Talent_Networks +Best_of_Cooperation_Lectures +Weinberger,_David +Community_Currency_Systems_in_Thailand +Ken_Meter:_from_Global_Commodities_to_Local_Food +Handwerk_3.0 +Public_Domain_Manifesto +%CE%9F%CE%B9_%CE%A0%CE%BF%CE%BB%CE%B9%CF%84%CE%B9%CE%BA%CE%AD%CF%82_%CE%95%CF%80%CE%B9%CF%80%CF%84%CF%8E%CF%83%CE%B5%CE%B9%CF%82_%CF%84%CE%B7%CF%82_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7%CF%82_%CE%95%CF%80%CE%B1%CE%BD%CE%AC%CF%83%CF%84%CE%B1%CF%83%CE%B7%CF%82 +Shambles_Techcast +Clay_Shirky_on_the_New_Style_of_Peer_Leadership +Adrienne_Russell_on_Networked_Journalism +Jeff_Howe_on_Incentive_and_Value_in_Crowdsourcing +Strohalm_Foundation +Carl_Malamud_on_Opening_Up_Access_to_Public_Information +Stephen_Coleman_on_E-Enabled_Co-Governance +Gaming_in_Education +Kimberly_King +MACS_Mercados_Alternativos_de_Consumo_Solidario/es +Another_Perfect_World +Critique_of_the_Manifesto_for_an_Accelerationist_Politics +Sharing_Economy_City_Policy_Brief +People%E2%80%99s_Open_Access_Education_Initiative +Clay_Shirky_on_Health_2.0 +Roots_of_the_Global_Financial_Meltdown +Jimmy_Wales_and_Andrew_Keen_Debate_Web_2.0 +Marina_Durano +Basic_Income_and_Stakeholder_Grants_as_Cornerstones_for_an_Egalitarian_Capitalism +Metcalfe%27s_Law +Tim_Wu +Open_Source_Biotechnology_Panel +Youth,_Identity,_and_Digital_Media +Goteo +Ethical_Capital +Anna_Betz +Open_Fiction +Clean_Slate_Edicts +Stanford_on_iTunes +Unbundling_-_Rebundling +Peer_Arbitrage_in_Markets +Difference_between_Descending_Depth-Psychological_vs._Relational-Participatory_Extending_Aprroach_to_Spirituality +Rethinking_the_Relationship_between_Science,_Indigenous_and_Local_Knowledge +Economics_of_a_Self-Managed_Society +End_of_Leadership +Sarai +Permissions_Granularity +Synthetic_Biology_Open_Language +Community-Supported_Agriculture +Snow_Crash +Clay_Shirky_on_Emotional_Social_Media +Conversation_on_Open_Access_Publishing +Agatino_Rizzo +Knowledge_Ecology_International +Makerbot_Industries +Social_Clinics_and_Pharmacies +ThinkCycle +The_Memo_on_organizational_learning_and_collaboration +Beyond_Politics +Second_Lives +Universal_Wage +Terra +Free_Music_Archive +Open_Content_Library +Civil_Nanotechnology +Occupy_as_Mutual_Recognition +McNamara,_Patrick +Economic_and_Cultural_Effects_of_File_Sharing_on_Music,_Film_and_Games +Socialized_Capital_Markets +Project_for_Open_Source_Media +On_the_Human_Values_Being_Endangered_by_the_IP_Maximalists +Anishinaabe_Council_of_Three_Fires +Computer-Supported_Social_Creativity +Participatory_Planning +Product-Centered_local_economyvs_People-Centered_local_economy +Dave_Winer%27s_Tutorial_on_Vendor_Relationships_Management +Test3 +Test2 +Three_Circles_of_the_Economy +Labor_Commons +Protoforge +Local,_State,_and_Global +Commons_as_a_Challenge_for_Classical_Economics +James_Boyle_on_7_Ways_to_Ruin_a_Technological_Revolution +Shankar_Sankaran +Danah_Boyd_on_Social_Networks_and_Immersive_Environments +Open_Source_Laser +Hellenic_Linux_User_Group +Community_Innovation_for_Sustainable_Energy +Open_Social_Networking_Standards +CNC_Plotters +Genetic_Association_Information_Network +Pinko_Marketing_Manifesto +Makers_(documentary) +Eric_Raymond_on_Open_Source +Reverse_Network_Effect +Observateurs +Commons-based_Political_Production +Benjamin_Mako_Hill_on_the_State_of_Wikimedia_Scholarship_2008_2009 +Hierarchies_and_Meshworks_are_always_mixed +Open_Cellphone +Utopian_Vision_on_a_World_of_Peer_Production +Borrowing_Culture_in_the_Remix_Age +Computer-Network_Based_Democracy +Web_Annotation +People%27s_Science +BoardForge +Food_Justice_Movement +New_Genres_of_Collaborative_Creativity_and_the_Economics_of_Online_Sharing +Free_Software_Economics_-_WOS_2004 +P2P_Foundation_Wiki_for_Shameless_Promotion +Michael_Hudson_on_Public_Banking +Legibility +Historical_Reflections_on_Patronage,_Autonomy,_and_Transaction +ARIA +OpenSim +Power_Cube +Knowmads +Glyphiti +Commons_Sense_Forum +3D_Printers +Democracia_En_Red_/es +DataFed +Autonomous_Open_Source_Community +Tragedy_of_Enclosures +Roles_of_Self_in_Hyperconnectivity +New_Gatekeepers +Lewis_Hyde +Video_and_Voice_over_IP +Lourens_Veen_on_the_Open_Hardware_Foundation +Lawrence_Lessig_on_Free_Culture +Stalklogs +United_Nations_Group_on_the_Information_Society +Fora_do_Eixo_-_Governance +BitCongress_Foundation +Value_System_Disorder +Family-Based_Peer_Learning_Model +Pat_Conaty_on_the_History_and_the_Rediscovery_of_the_Cooperative_Commonwealth +Sole_Sufficient_Operator +Internet-Based_Business_Models_and_their_Implications +Plant_Catching +Fair_Use_Economy +Ad_Hoc_Routing_Protocols +Photocasting +Diego_Gonz%C3%A1lez_Rodr%C3%ADguez +Open_Science_Culture +Open_Software_Service +Aral_Balkan +Open_Teaching_Resources +%CE%A4%CE%BF_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%BF_%CE%9A%CE%AF%CE%BD%CE%B7%CE%BC%CE%B1_%CE%BA%CE%B1%CE%B9_%CE%B7_%CE%95%CE%BB%CE%BB%CE%B7%CE%BD%CE%B9%CE%BA%CE%AE_%CE%A0%CF%81%CE%B1%CE%B3%CE%BC%CE%B1%CF%84%CE%B9%CE%BA%CF%8C%CF%84%CE%B7%CF%84%CE%B1 +Apache_Software_Foundation +Building_a_Sustainable_Economy_in_a_World_of_Finite_Resources +PEERS +Carta_de_los_Comunes +Eric_Hunting +Selective_Crowdsourcing +Global_Swadeshi +Abundance_League +Cybersky_IPTV +Smallest_Federated_Wiki +Olaf_Schulte_on_the_Opencast_Community +Waqf +Sharing_Solution +Networked:_The_New_Social_Operating_System +Pro-Am_Movement +Riba +Occupy_Love +David_Wiley_on_the_Open_Education_Movement +Haque,_Umair +David_Bollier_on_the_International_Developments_of_the_Commons_in_2012 +Production_and_Governance_in_Hackerspaces:_A_Manifestation_of_Commons-Based_Peer_Production_in_the_Physical_Realm%3F +Homebrew_Industrial_Revolution +Loren_Feldman_on_Why_Closed_is_Good +Slow_Business +Legal_Frameworks_on_Social_and_Solidarity_Economy +Metaverse_Roadmap +Mapping_the_Genome_of_Collective_Intelligence +Colne_U_Copia_West_Yorkshire_Local_Food_System +State_Ownwership +Wiki_Legislating +Wiki_Government +Mariane_Ferme_on_the_Mobile_Phone_and_Internet_Culture_of_Africa +Copyleft +Giftival +Green_New_Deal_Group +Corporation_20_20 +Data_Gov_UK +Copyright_for_Creativity +Century_of_the_Self +Financial_Commons +Radio_Open_Source_on_One_Laptop_per_Child +Smart_2020 +Economies_of_Integration +Civil_Society +CurrentEvents +Link_List +Integral_Bibliography_of_the_Self +Certificates_of_Completion +Scalable_Darknet +Daniel_Jost_on_Intellectual_Properties +Attention_Blindness +Gaylor,_Brett +Indie_Collective/es +Cecilia_d%27Oliveira_on_MIT_OpenCourseWare +Libre_Commons_Licenses +IP_Maximalists +Intercoop +Distributed_Cognition +Notational_Production +ChipIn +Andrew_McGettigan_on_MOOC_Boosterism_in_the_Current_Higher_Education_Policy_Environment +Petroleum_Commons +Brittle_vs_Resilient_Systems +Timebank_Currency +Socialism_of_the_21st_Century_-_Heinz_Dieterich +Next_Billion_Seconds +Participatory_Spirituality_-_A_Farewell_to_Authoritarian_Religion +Designfluence +Documentation_on_the_ECC2013_Working_and_Caring_Stream +Familiar_Stranger +Principled_Societies_Project_for_a_Local_Financial_System +Fr%C3%A9d%C3%A9ric_Lordon +Participatory_Spectacle +How_Markets_Work +Metacortex +Toolkit_for_the_Open_Scientist +Music_Performance_Trust_Fund +Conservative_vs._Labour_Mass_Localism +Philosophy_of_Software +Logical_implication +Chinese_Web-Based_Youth_Self-Organizations +Report_on_Global_Education_and_Research_Networks +Manifesto_of_Open_Design_Consumer_Rights +Local_Participation_and_the_Left_Turn_in_Bolivia +UN_Inter-Agency_Task_Force_on_Social_and_Solidarity_Economy +Smooth_and_Striated_Space +Weblog +Creativist_Society +Foundations_of_Gandhian_Economics +Marina_Sitrin_on_Horizontalism_in_Argentina +2007_wordt_crowdsourcen_en_peer-to-peer +Buy_This_Satellite +Open_Talent_Ecosystem +Brewster_Kneen +Anti-Statist_Traditions_Within_Marxism +Disagreement_by_Addition +Organizing_2.0 +Open_Activity_Streams +Open_Ideo +Everything_is_Miscellaneous +Long_Term_Timeline_of_Increased_Creation_Freedom_Through_Media +Peer-Based_Management +Resource_Pages_and_Links_to_the_P2P_Audiovisual_Net +Centro_Cultural_Mariamulata/es +Michael_Liebhold_on_the_Geospatial_Web +Social_Media_and_Collective_Action_Problems +HapMap +TaskRabbit +Hacking_the_Spaces +How_New_Media_has_Revolutionized_Electoral_Politics_in_the_US +Clay_Shirky_on_Constructive_Criticism_for_Peer_Collaboration +5.1.B._Equipotentiality_vs._the_Power_Law +Tower_and_The_Cloud +Occupy_Design +Empire_of_Mind +Spigit +P2P_Lab_Publications +Bill_of_Rights_for_Users_of_the_Social_Web +Biosemiotics +FreeSound +Knowledge_and_Praxis_of_Networks_as_a_Political_Project +Smart_Mobs +New_Potential_Members_for_a_P2P_Network +Trust +Folding@Home +Kate_Chapman_on_the_Humanitarian_Open_Street_Map_Pilot_Project_in_Indonesia +Tools_for_Conviviality +Networked_Public_Sphere +Wiki_Use_Policy +How_the_Sharing_Economy_Causes_Social_Disruption +Alicia_Gibb_on_the_Status_of_the_Open_Source_Hardware_Movement_in_2012 +Future_Control_of_Food +Seven_Myths_and_Realities_about_Do-It-Yourself_Biology +Akasa_Visioning_Project +Desktop_Factory +Reciprocity_as_Mutual_Recognition +Hungary +RepLab +Marxism +Center_for_Deliberative_Democracy +Thomas_Greco_on_Monetary_Transformation +Internet_2.0 +Bereikvoordelen_in_plaats_van_schaalvoordelen +Principles_of_Distributed_Innovation +Radical_Mycology_Convergence +Commons-Based_Peer-Production_of_Physical_Goods +Interoperability +People%E2%80%99s_University_-_NYC +Audio-Video_Tagging +Interview_with_David_Abram_on_Becoming_Animal +Open_Source_for_America +Metal_Laser_Sintering +Cosmopolitanism +Capitalist_Commons +Support_Group_2.0 +Scientometrics_2.0 +Transparency_in_P2P_Networks +Chris_Paine_on_Who_Killed_the_Electric_Car +Collaborative_Intelligence +Ridesharing +Pirate_Bay_as_a_Strategic_Sovereign +Coordinated_Global_Citizens_Movement +Universe_of_discourse +Adrian_Bowyer_on_the_RepRap +Zero_Prestige +Social_Media_Categories +Effective_Use_of_Open_Data +Francois_Bafoil +Donnie_Maclurcan_on_Thriving_Beyond_Economic_Growth +Berlin_Hardware_Accelerator +Old_Media_vs._Netpublics +Sean_Cubitt +Life_Changing +Society_of_Control +Mackenzie_Wark +No_Patents_on_Seeds_and_Animals +Eben_Moglen_on_the_Commons_As_An_Actor_in_Transforming_Global_Political_Economy +Student-Led_Innovation +Identity_and_Control +Bubble_Generation +George_Por +League_of_Peers +Open_Hardware_Catalog +Cultural_Commons_Project +Carbon_Reduction_Rewards +James_Greyson +Armin_Medosch +Credit_Right +Motivations_for_Participating_in_Open_Source_Projects +Future_Primitive +Our_Understanding_of_P2P +Occupation_Directory +Free_Culture_Forum +Digital_City_and_the_New_Economic_Paradigm +Carolyn_Baker_on_the_Sacred_Demise_of_Industrial_Civilization +Andrew_Simms_on_No-Growth_as_New_Economic_Paradigm +Lego +Student_Public_Interest_Research_Groups +Urban_Farming_Movement +Relationship_Economy_eXpedition +Political_Economy_of_Sharing +Society_for_Sustainable_Mobility +Blog_Podcast_of_the_Day_Archives_2013 +Biological_Innovation_for_Open_Society +Website_Improvements/System +Stephen_Downes_on_Connective_Knowledge +Book_Commons +I.O.U.K._Banking_Reform_Proposals +Open_Source_Telecommunications_Companies +Open_Hardware_Oil_Spill_Cleaning_Sailing_Robot +De_Como_as_Comunidades_P2P_Ir%C3%A3o_Mudar_o_Mundo +Tensengrity +Objective_Measure_of_Value +Where_2.0 +Fureai_Kippu +Database_of_Connected_Items +3.1_The_State_of_It_All_(Nutshell) +Dean_Jansen_on_Democratic_Internet_TV +GDP_Growth_Is_Against_Life +Technostalgia +Giacomo_D%27alisa +Alexander_von_Humboldt_Institute_for_Internet_and_Society +Ecumenism +How_to_Change_the_World +Exit-based_Empowerment +Gene_Wiki +Community_Control_of_Knowledge +Solar_Pocket_Factory +Activists_and_Authorities_in_the_21th_Century +Energy_Accounting +We_Rebuild +Open_SETI +User-Centric_Digital_Identity_Movement +Quantum_Shift_in_the_Global_Brain +Love,_Piracy,_and_the_Office_of_Religious_Weblog_Expansion +Koruza +Directory_of_Open_Access_Repositories +Open_Source_Business_Intelligence +Crowd_Science +Open_Source_Tractor +Open_Sustainable_Learning_Opportunities_Group +David_Wiley_on_Open_Education_and_OER +Civic_Economics_Localization_Study +Labour_of_User_Co-creators +FB_Resistance +At_the_Dawn_of_Personal_Genomics +Social_Entreprise +Sell_Side_Advertising +Downes,_Stephen +Occupied_Wall_Street_Posters +Open_Calais +Sylvia_Libow_Martinez_on_Using_Arduino_for_Education +Silence_is_a_Commons_by_Ivan_Illich +Open_Source_Game_Player +Social_Impact_Exchange +OpenNet_Initiative +Videos_of_the_2010_Open_Science_Summit +Hazel_Henderson_on_the_Green_Transition_Scorecard +Internet_of_Things_Council +Hal_Varian_on_Technology_and_Innovation_at_Google +Social_Cataloging +Tim_Wu_on_the_Rise_and_Fall_of_Information_Empires +Sociocracy +Post_Keynesians +Solomon_Bisker_on_Citizen_Volunteerism_and_Urban_Interaction_Design +Alastair_Parvin_on_Wikihouse%27s_Open_Source_Architecture +Preukparichart,_montho +Global_Ecovillage_Network +Commons-Based_Enterprise +Institute_for_Data-Driven_Design +Public_Lab +Howard_Rheingold_on_Why_the_Internet_Matters_for_the_Public_Sphere +Digitally_Driven_Asymmetric_Conflict +Coolmeia_-_BR +Kevin_Kelly_on_How_Value_Is_Generated_in_a_Free_Copy_World +Policy_Proposals_to_Move_from_Quantitative_to_Qualitative_Economic_Growth +Planet_Lab +Complexity_Strategy_for_Breaking_the_Logjam +Wiki-Histories +Occupy_Exchange_Fellowship_Program +Work_Ethic +Public_Domain_Works +Working_Online +Flowplaces +IMalls_Global +Paul_Romer_on_Technology_and_History +Business_Interests_in_Open_Content +2007_Status_of_Decentralzed_Renewables_and_Micropower +Mehr_Demokratie +360_Degree_Geotagged_Photos +Asymmetric_Competition +Society_3.0 +Scharmer,_Otto +Distributed_Solar +J%C3%B6rg_Grossman +Trust_Networks +Strategic_Theories_for_Evaluating,_Planning_and_Conducting_Social_Movements +Geocoder_US +Open_Source_VoIP +Micah_Daigle_on_Collective_Decision-Making_in_an_Age_of_Networks +OpenMed +Is_There_Such_a_Thing_as_Ethical_Capitalism +Slow_Technology +DIY_Couture +Lock_In +When_the_Rule_of_Law_is_Illegal +Nick_Bilton_on_Personalization_and_Social_Search +Show_Me_the_Action,_and_I_Will_Show_You_the_Commons +Cooperation_Commons_Network_Cogovernance_proposal +Future_of_Money +Fabbing_Practices +Fab_Labs_Overview +Playtxt +BeroepsEer +Open_Annotation_Project +Creative_Commons_Business_Models_for_Publishing_and_Music +Video_Interview_with_Ethan_Zuckerman +Coming_Dark_Age +Crowdsourced_Design_Management_Platforms +Open_Source_Metaverse +Dialstation +Mitchell_Baker_on_the_Origins_of_Mozilla%27s_Open_Source_Strategy +Ethical_Guide_for_Transforming_Our_Communities +Pirate_My_Film +Vauban_District +Crisis_Commons +Barbara_Unm%C3%BC%C3%9Fig +Mobile_Virtual_Network_Operator +David_Harvey_on_Rebel_Cities +Power_of_Networks +Whole_Systems +Laissez-faire +Participatory_Mind +Co-Creation +Steven_Pressfield_on_Tribes +Self-Organizing_Work_Group +Energy,_Finance_and_the_End_of_Growth +Relational_Model_Typology_-_Fiske +Neverness +Ethical_Guidelines_for_Ubiquitous_Computing +Online_Creation_Communities +Wireless_Meshwork +Individuals_Participating_in_the_Re-Thinking_Property_Platform +Community_Accounting +Solutions_Locales_Pour_Un_D%C3%A9sordre_Global +Connect,_Collaborate,_Change +Air_and_Atmosphere +3.1_The_State_of_It_All +International_Political_Economy_of_Work_and_Employability +Steven_Vedro_on_the_Digital_Dharma_of_Technology_and_the_Chakras +Horten,_Monica +Free_Software_in_Government_Group +Massively_Social_TV_Programming +Intervallic_Periods +Academic_Proletariat +Malayalam-Language +Podcast_with_Danah_Boyd +Pattern_Language_for_Alternative_and_Complementary_Money_Systems +Nicol,_David +Bill_Mortimer_on_Institutional_Repositories_for_Open_Access_in_Science +Gar_Alperovitz_on_the_Next_US_Revolution +WiFi_Hotspot_Locators +Justification_du_revenu_universel +Cohousing +Mutual_Home_Ownership +Terms_and_Conditions_May_Apply_Documentary +Teen_Conflict,_Gossip,_and_Bullying_in_Networked_Publics +Open_Learning_Networks +Steven_Johnson_on_Community_Mapping_and_its_History +Pharma_Open_Source_Collaborations +Peer-to-Peer_Bike_Rentals +Vint_Cerf_on_IPV6 +Resistance_Studies_Network +Eben_Moglen_on_Free_Culture_after_the_Dotcom_Manifesto +P2P_Blog_Trend_of_the_Day +Health_Commons +IUWIS +Open_Source_Rice_Farming +Open_Source_Hydro_Power +Stigmergic_Revolution +P2P_Accomodation_and_The_Future_of_Travel +Forward_Foundation +Peirce%27s_Law +Recent_Advance_in_P2P_Technology +Marketing_Monger_Podcast_Interviews +P2PFoundation:Operational_Cost +Tomislav_Medak +Learning_Graph +Geocoding +George_Strawn_on_the_Birth_of_NSFNet +AgINFRA +Participatory_Mapping +Local_Media_Movement_-_U.S. +Internet_Was_Created_Through_Peer_Production +Codename_Prometheus +Exploring_the_Social_and_Economic_Dimensions_of_Mormon_Zionic_Culture +LINK_Center_for_the_Arts_of_the_Information_Age +Introduction_to_Participatory_and_Contributions-Based_Peer_Production +LETSplay +Distributed_Personal_Fabrication +Collaborative_Creativity_Group +Community_Exchange_Systems +Walton_Pantland_on_the_USi_Organising_Network +SocietyOne +Apprlications_Economy +Hashomer_Hatzair +Let%E2%80%99s_No_Longer_Live_Like_Slaves +Le_peer_to_peer:_nouvelle_formation_sociale,_nouveau_model_civilisationnel +6._P2P_in_the_Sphere_of_Culture_and_Self +Consumer_Project_on_Technology +Debating_Free_and_Open +Crowdsourcing_-_Examples +MacKenzie_Wark_on_the_Hacker_Manifesto_and_Class +Energy_Cooperatives +Tim_Cannon_on_Open_Source_Biohacking +Revisiting_Social_Welfare_in_P2P +Peirce%27s_law +From_Sustainability_to_Thrivability +Proclamation_of_C%C3%A2mpeni +Relationship_Inflation +2004_OECD_Ministerial_Declaration_on_Access_to_Digital_Research_Data_from_Public_Funding +Organizational_Failures_Framework +Open_Ideas +Multi-Stakeholder_Networks +Beaches_-_Governance +P2P_Social_Currency_Model +Decommodification +Dynamics_of_Virtual_Work +Richard_Douthwaite_on_Spending_Instead_of_Lending_Money_Into_Circulation +Revolution_Will_Be_Animated +Knowledge_Economy_Beyond_Capitalism +Dynebolic +Occupy_Consciousness +Spare_Place +Latin_America_Commons_Deep_Dive +DatAnalysis15m +Etsy_-_Business_Model +Cooperative_Micro_Ownership +Individuals +City_of_Commonists +Civisism +Evan_Williams_on_the_Technology_of_Podcasting +Citizen-Driven_Value_Creation +Economics_for_a_Renewed_Commonwealth +CSA +Let%E2%80%99s_Collaborate +Mitch_Kapor_on_the_Vision_and_Values_at_Wikipedia +Fuller,_R._Buckminster +Decentralized_Social_Networking_Projects +Hacker_Culture_and_Politics +Compound_Interests +FoeBuD +Slashing +Wendy_Seltzer_on_Protecting_the_University_from_Copyright_Bullies +Bruce_Sterling_on_the_Internet_of_Things +Open_Educational_Content +University_of_Openness +Opening_Up_Education +Open_Source_3D_Modelling +Sabina_Barcucci +Patrick_Crouch_on_Urban_Farming_in_Detroit +BSD +Belgium +Online_Brand_Communities +Feira_Imaxinaria_Contempor%C3%A1nea/es +PeerServer +Global_Impact_Investing_Network%E2%80%99s_Impact_Reporting_and_Investment_Standards +Catholic_Occupy +Can_Patents_Deter_Innovation +Pseudo_Abundance +Making_Net_Neutrality_Sustainable +Flickr_-_Business_Model +More_Citations_about_Peer_to_Peer_Learning +Merce_Crosas_on_Open_Big_Data_in_Science +Maristella_Svampa +Immanuel_Wallerstein_on_the_end_of_Capitalism +Second_Industrial_Divide +Reality_Economics +Future_Production_Graph +Panel_on_Internet_Native_News_Networks +Critique_of_the_Cornucopian_Abundance_Movement +Collaborative_Goods +Tabacalera +Story_of_Banco_Palmas_in_Brazil +Economics_of_Self-Managed_Society +Stygmergic_Collaboration +Crowdsourcing_-_Typologies +Open_Roleplaying +1.1_The_GNU_Project_and_Free_Software_(Details) +Douglas_Rushkoff_on_How_Corporatism_Conquered_the_World +Mowatt,_Jeff +Ken_Glimer_on_Bug_Labs +Glocalized_Networks +Transhumanism +Asynchronous_Inter-Device_Communication_Protocol +Free_Government_Information +Dan_Gillmor +Three_Necessary_Strategies_Mitigating_Peak_Oil +OSCOMAC +OSCOMAK +CivWorld +Free_Revealing +Openness +Taxation_Reform +Precision_Agriculture +App_Net +Digital_Activism +Cucumis +Redistribution_Sites +Open_Directory_Project +Hatcher,_Jordan +Netlabels +Zeroth_order_logic +Financial_Permaculture +Data_Love +Integral_Time_Awareness +Peer_to_peer_upstreamers +Scarcity_in_Virtual_Worlds +Brazilian_System_for_the_Solidarity_Culture +Lee_Van_Ham_on_Jubilee_Economics_amongst_African-American_Slave_Communities +Grassroots_Innovations +Open_Source_Audio_Books +Greg_Austic +Comunitats +Carlos_Correa +OSCirrus +Ithaca_Hours +Moozar +La_crise_de_l%E2%80%99immat%C3%A9riel,_la_production_entre_pairs_(P2P)_et_l%E2%80%99%C3%A9conomie_%C3%A9thique_%C3%A0_venir +Declaration_of_Respect_for_Life_and_Human_Security_across_the_Global_Commons +Debt +Howard_Rheingold_on_the_history_and_future_of_cooperation +YouTube +B%C3%BCrgerUni_Klausenerplatz +P2P_Research_Institute +Peer-to-Peer_Microgrid_Networks +Christmas_Bird_Count +Del.icio.us +OKNO +Molly_Scott-Cato +Production_for_Use +Open_Architecture_Network +Fora_do_Eixo +Green_Unite +Collective_Experience_of_Empathic_Data_Systems +State_Property +Real-Time_Web +Charter_of_the_Forest_-_UK +Open_Collaboration +Tom_Taylor_on_Using_Social_Software_for_Sustainability +Pachube +McCarthy,_Sm%C3%A1ri +Rapid_Decision_Making_for_Complex_Issues +How_Swedish_Filesharers_Motivate_Their_Action +Collaborative_Democracy +Land_Value_Covenant +Multi-players_Games_and_Non-gaming_Metaverses_are_Fundamentally_Different +Emergence_of_Global_Consciousness_and_its_Impact_on_the_System_of_Global_Governance +Kurt_Laitner +Boolean_Domain +BiOS +Civil_Societarian +Ludwig_Schuster_on_the_New_Monetary_Pluralism +Free_Culture_Repositories +Occupy_Together +I_Materialise +Open_Pandora_Gaming_Platform +Kern_Beare_on_Technology_for_Global_Consciousness +Berlin_Commons_Conference/Workshops/PolycentricGovernance +Open_Video_Conference +Greek_Potato_Movement +Internet-Based_Political_Parties +Structuration_Theory +Tech_Co-op_Network +Rebecca_MacKinnon_on_the_Consent_of_the_Networked +Weblog_Definition +Enhanced_Peer_Learning_Model +Lab2 +NATO_Global_Commons_Initiative +Hack_Your_PhD_Open_Science_Interviews +Right_of_Resale +Capitalism_as_an_Anti-Market +Free_to_Learn +Harold_Varmus_on_Open_Access_and_the_Public_Library_of_Science +Open_Source_Warfare +OSDD_License +Guy_Kawasaki_on_the_Importance_of_Peers_in_Education +After_the_Future +Market_Imperative +GroupServer +Occupy_als_businessmodel_en_teken_van_de_opkomende_open_source_beschaving +Resource_Taxation +Industrial_Agriculture_and_Energy +Project_for_a_Participatory_Society_U.K +Sociality_As_Information_Objects +Open_Data,_Open_Society +Free_Telematics_Definition +Wall_Message_Areas +Reboot_Spark_FM +Logan_LaPlante_on_Children_Self-Hacking_Their_Education_Through_Hackschooling +Don_Tapscott_on_Wikinomics +Open_HPSDR +Postcapitalist_Politics +Enabling_City +Contrat_tacite_des_gens_qui_dorment +Open_Oil +Why_We_shouldn%27t_use_the_concept_of_Intellectual_Property +Coperativa_de_servicios_p%C3%BAblicos_Comunidad_Organizada/es +Peer-to-Peer_Economics +WebOS +Open_Standards +Impulsive_Furnishing_Unit +Alternative_Trade_Mandate_Alliance +Open_SER +Verna_Allee +Empirical_Analysis_of_Networked_Political_Protests +Food_as_Common_and_Community +Convergent_vs_Divergent_Reasoning +Don_Tapscott_on_Cooperation_through_Networked_Intelligence +Vitek_Tracz_on_Open_Access_and_BioMed_Central +Power_Laws_of_Innovation +Why_Capitalism_Can%27t_Build_Community_Web_Services +Towards_a_Basic_Income_Law +Wikigenes +Wireless_Utopia +Fle3_Virtual_Learning_Environment +Inclusiva-net +FM10_Openness_-_Code_Science_and_Content +Private_Property +Peer-to-Peer_Finance_Policy_Summit +Entropy +Individualistic_Collectivism +Douglas_Rusfkoff_on_Life_Inc +David_Graeber_on_Police_Repression_Against_Occupy_and_Other_Social_Movements +G%C3%B6ttingen_Declaration_on_Copyright_for_Education_and_Research +Autonomous_Decentralized_Enterprise_Model +Remix_Ethics +Inter-Owner_Trade_Agreement +OnGreen +Makehub +Against_Intellectual_Property +Slow_Blogging +Politics_of_Cyberspace +Hindawi_Open_Access_Publishing +Socially_Robust_and_Enduring_Computing +Denis_Neum%C3%BCller +Crossmedia +Community_Supported_Fishery +Why_Violence_Has_Declined +Cybernetics_of_the_Commons +Peer2Peer_Tutors +Constructing_Commons_in_the_Cultural_Environment +Infonomics +From_Occupy_Wall_Street_to_Occupy_Everywhere +Olivier_Auber +Inclusive_Sovereignty +Student_Peer_Feedback +Laboratorio_del_Procom%C3%BAn_M%C3%A9xico/es +Sharing_Cities_Network +Arti_Rai_on_the_Role_of_Law_in_Open_Source_Biology +Independent_Workers_Firm +Open_Source_Militias +Sir_Ken_Robinson:_Do_schools_kill_creativity +Business_Models_for_Influence_and_Reputation +Conscious_Computing +Lessons_from_Medieval_Trade +Thinh_Nguyen_on_Science_Commons_and_Issues_in_Open_Science +Troco +P2P_Design_Guide_for_Anarchists +Interview_with_Rene_Ramirez_on_the_Socialism_of_Buen_Vivir +Theory_and_History_of_Information +Individualisme +Million_Books_Project +Social_Voting +Bogota_Mesh +John_Hagel_on_Indicators_for_Understanding_the_User_Revolution +Free_Money_Day +Astounding_Growth_in_the_Psychological_Evolution_of_the_Human_Self +Evan_Henshaw-Plath_on_Fire_Eagle_for_Geo-Aware_Services +Scott_McKeown_on_the_Transition_Town_Movement +Open_Meteorology +Reputation-based_Employment_Marketplaces +Michael_Pick_on_Data_Portability +Parametric_operator +ECC2013/Infrastructure_Stream/Documentation +Internet_Mapping_Project +Facilitating_Smarter_Crowds_for_Stronger_Networked_Commons +Stamped_Scrip_in_France +Shapeways_3D_Printing_Video +Sympoiesis +Harley-Davidson_Fan_Machine +Lawrence_Lessig_on_Openness +Egality +Time-Based_Economics +Amateur_Hour_Conference_Video_Transcripts +Web_2.0 +Why_Open_Source_Licensing_Matters +Political_Economy_of_Reciprocity_and_the_Partner_State +Semapedia +Law_of_Complexity_-_Consciousness +Vocabulary_of_the_Commons_-_Part_3 +Open_Source_Pharma +Worknet +Swarm_Movement +Project_Trust +Transparency_in_Peer_Relations +Project_Vigilant +Citizen-centric_eGovernment +Refutation_of_the_Tragedy_of_the_Commons +Video_Interview_with_Henry_Jenkins_on_Convergence_Culture +My_Mobile_Web +John_Seely_Brown_on_Tinkering_as_a_Mode_of_Knowledge_Production +Rahul_Chaturverdi +P2P_Meme_Map +Customer_Commons +Do_It_Yourself_Fruit_Processing +Documenting_Meetings_and_Events +Eat_With +Ludwig_Schuster_on_Monetary_Pluralism +Open_Router +Capitalist_Realism +Social_Government +Beautiful_Economics +Digital_Fabrication_Primer +Pulska_Grupa +Potlach_Protocol +Tim_Jordan_on_Hacking_and_Communicative_Practices_After_the_Internet +Vandana_Shiva_on_Monoculture_as_Chemical_Warfare +Shereef_Bishay_on_Open_Enterprise_and_Applying_Open_Source_Principles_to_the_Way_We_Work +Economists_of_the_Commons +Program_on_Inequality_and_the_Common_Good +Open_source_engineering +Seth_Godin_on_All_Marketeers_are_Liars +Greg_Lastowka_on_Virtual_Justice_and_the_New_Laws_of_Online_Worlds +PlanetPhysics +New_Global_Vision +Declining_Rate_of_Profit +Free_Software_Principles +Aggregated_Urban_Micro-Farms +IP_Rights_and_Revenue_Models_for_Public_Communications +Yolo_Country_Neighborhood_Court +Lin,Jedi +Evolution_of_Socio-Technological_System_Levels_and_the_Emergence_of_the_Free-Goodness_Model_of_Human_Interaction +API +Working_Group +Build_It_Solar +Prosper +International_Amateur_Scanning_League +Semantic_Sphere +P2P_Aid +Differences_between_Online_and_Offline_Learning +Integral_Accounting +Evgeny_Morozov_on_the_Dark_Side_of_Internet_Freedom +Inclusiva_Net +Casserole +How_To_Bypass_Internet_Censorship +ECOnnect +Hong_Kong +Ambient_Intimacy +Indian_Nationalism,_Pluralism_and_Sri_Aurobindo +Publishing,_Technology,_and_the_Future_of_the_Academy +Vidding +SCARF +Source_freedom +Marin_Agricultural_Land_Trust +Muhammad_Yunus_on_Social_Business_and_For_Benefit_Corporations +Content-Centric_Networking +Decentralized_P2P_Software_-_DP2P_Net +Jeff_Price_on_the_Economics_of_the_New_Digital_Music_Industry +Learning_Networks_Bibliography +Automatic_Character_Switch +Wirearchy +Spread_Spectrum +Zot_Communications_Protocol +Helene_Finidori +United_States_General_Assembly +Open_Government_Open_Source_Hacking +Community_Enterprises_in_the_Food_Sector +Ecosystem_Goods_and_Services +Multi-Stakeholder_Governance_and_the_Internet_Governance_Forum +University_Community_Next_Generation_Innovation_Project +Little_B +Handmade_Nation +E-Book_Standards +In_peer_production,_the_interests_of_capitalists_and_entrepreneurs_are_no_longer_aligned +P2P_Cities +Fuller,_Matthew +Massively_Collaborative_Direct_Democracy +Edgar_Morin_on_Seven_Complex_Lessons_in_Education +August_Black_on_GNU_Linux_and_the_Political_Aspects_of_the_Free_Software_Movement +Cyber_Unions +Twister +Collaborative_Culture_of_Wikipedia +Policy_Sprint +Chua,_Mel +Dynamic_Alignment +John_Robb_on_Open_Source_Warfare_and_Resilient_Communities +Wireless_Common_License +DRM_Free_Music +Berlin_Declaration_of_Collectively_Managed_Online_Rights +Raman,_Sundar +Jerry_Brito_on_Bitcoin_and_the_End_of_State-Controlled_Money +Cooperative_Movement_in_Century_21 +Apomediation +Alternative_Economics,_Alternative_Societies +Open_Source_Urban_Farm +Network_Metrics +Democratic_Education +Building_Social_Business +Credit_Unions +How_did_Markets_Evolve +Schwundgeld +Host +Hilary_Cottam +Worgl +Government_Data_and_the_Invisible_Hand +PC4peace +Bibliography_on_P2P_Intersubjectivity +David_Ronfeldt +Matrices_Ontologiques_-_Philippe_Descola +Paul_Charles_Leddy_on_the_Asterisk_Free_Software_Telephone_System +OpenWetWare +Shareable_Australia +Peter_Saint-Andre_on_Presence +Complete_Streets +Social_Proxies +Hypergrid_Business +Law_as_Public_Domain +Amacca +Assessment_Movement +Contrasting_Firm_Strategies_for_Open_Standards,_Open_Source_and_Open_Innovation +Elizabeth_Peredo_Beltran +Athens_Indymedia +Post-Consumerism +Peter_Enzerink_on_Open_Source_Scattergun_Contributing +Participatory_Turn_in_Transpersonal_Psychology +Synaptic_Leap +Producer_Cooperatives +Non-Representational_Paradigm_of_Power +Fair_Use_and_DRM_in_Electronic_Devices +Gittip_Open_Company +Sahana +Food_Cooperative +Wikiworld +Allen_Bargfrede_and_Chris_Bavitz_on_the_Rethinking_Music_Conference +Micro-Participation_in_Government +Understanding_Participation +Life_Inc._Dispatch_by_Douglas_Rushkoff +Istvan_Rev_on_the_Free_Software_Movement +Expert_Taskforce_on_Global_Knowledge_Governance +Mode_of_Production_of_Intellectual_Commons +Environmental_Justice_and_the_Commons +Lilian_Ricaud +Alan_Rosenblith_on_Open_Money_Protocols_and_Agreements +P2P_Algorithms +Who_Pools +Megan_Auman_on_the_Craft_Micromanufacturing_Revolution_in_Baltimore +Machine_to_Machine_Networks +Six_Stages_of_Moral_Reasoning +Social_Field +World_Wide_Web_Consortium +ThingLink +Future_of_the_Commons_Beyond_Market_Failure_and_Government_Regulation +Systems_Thinking_for_Integrated_Social_Transformation +Rypple +Pete_Blackshaw_on_Consumer_2.0 +Peer-to-Peer_Leadership +Triple-Free_Software +Machinima +MarkDilley +Elisabeth_Vo%C3%9F +Open_Futures +Self-directed_Public_Services +BBC_Go_Digital +More_Citations_on_P2P_Economics +Separation_of_Concerns +Fritz_Mielert +Everyday_Growing_Cultures +Moving_from_a_Sharing_Economy_to_a_Solidarity_Economy +Interactive_TV_Web +Revisioning_Facilitation +Ecodevelopment_Indicators +Enclosure_Without_and_Within_the_Information_Commons +User-Generated_Content_-_Business_Models +Community_of_Repair +Human_Dividend_Currency_Format +International_Movement_for_Monetary_Reform +City_of_Vancouver_as_Cooperative_City +Talent_Networks +Cooperative_Games +Geoloqi +Architecture_of_Authority +Application_Content_Infrastructure +Citizen_Pedagogy +End_of_the_Nation-State +European_Charter_of_the_Commons_Campaign +Internet_Archive +Resilience,_Panarchy,_and_World-Systems_Analysis +Role_of_the_State_in_Chinese_Economic_Development +Pirate_Bay +6.1.B._Towards_%E2%80%98contributory%E2%80%99_dialogues_of_civilizations_and_religions +From_Free_Software_to_Artisan_Science +David_Isenberg_on_Who_Will_Run_the_Internet +What_is_a_Peer +Common_Weal +Towards_a_New_Participatory_Citizen_Science_Contract_for_Science_Data_Mining_and_Biobanking +OWS_NY_IWG_Minutes_10/16/2011 +Commons_Video +Dave_Pollard_on_Collaboration +Massimo_Banzi_on_the_History_of_Arduino +Jon_Warnow_on_Open_Source_Activism +Pragmatic_maxim +Derrick_Jensen_on_the_Ecological_Endgame +Berlin_Commons_Conference/Workshops/Welfare_State +Johannes_Kreidler_on_Distributed_Technology_and_the_Music_It_Creates +Open_Source_Planning +Simple_Sharing_Extensions +Ecological_Economics +Co-operative_Land_Bank +IPSO_Alliance +Money,_Markets,_Value_and_the_Commons +University_of_the_People +Participatory_Rural_Appraisal +Green_Policy_Plans +Transnational_Capitalism +Open_Forum_Europe +Wikicrimes_-_BR +Social_Innovation_Incubators_and_Accelerators_Map_-_USA +Trustcloud +Criminalizing_the_Informal_Economy_through_Cost_Plus_Regulations +Tiberius_Brastaviceanu_on_the_Scalable_Peer_Economics_of_the_Sensorica_Open_Value_Accounting_Network +On_Common_Ground +Viktor_Mayer-Sch%C3%B6nberger_on_the_Virtue_of_Forgetting_in_the_Digital_Age +Piqueteros +Stephan_Merten_on_Free_Software_and_the_GPL_Society +WIPO +Technological_and_Cultural_Innovations_in_Intentional_Community +Investigating_Capitalist_State_Power +Rufus_Pollock_on_the_State_of_the_Open_Data_Movement_in_2012 +Toolbox_for_Education_and_Social_Action +Occupy_Slovenia,_Direct_Democracy_and_the_Politics_of_Becoming +Open_Source_Seeds_License +Public_Domain_Calculators +Daniela_Silva_and_Pedro_Markun_on_Hacker_Culture_in_Brazil +Denis_McGrath_on_Fan_Fiction_in_the_Internet_Age +DbGaP +Living_School +Convertible_Social_Currency +InterOccupy +ReCaptcha +Bre_Pettis_on_the_Open_Source_Making_Methodology +Ross,_Blake +Social_Bonding_and_Nurture_Kinship +Peer-to-Peer_Food_Trading +Jim_Hendler_talks_about_the_Semantic_Web_and_Artificial_Technology +Third_Industrial_Revolution_Global_CEO_Business_Roundtable +Prem_Melville_on_Using_Social_Media_Analytics_for_Marketing_Insight +Tagging_Standards +Beyond_Labor +ABCdeCRIMI/es +Jotspot +Original_Design_Manufacturer +Interest-Free_Finance +John_Wilbans_on_the_Science_Commons +Making_Worlds,_Building_the_Commons_in_NYC +Robin_Good_on_the_Ideal_Profile_of_P2P_Search_Tool +Constituent_Nature_of_Social_Turmoil +Twitter +Economics_of_Open_Text +Retweeting +Vienadranga_Razosanas_Politiska_Ekonomika +Four_Characteristics_of_the_Age_of_Connection +Settlers_of_the_Shift +Family_Farming +Sustainable_Banking +Kune/es +Working_Within_the_P2P_Paradigm +Secret +Social_Basis_for_a_Sharing_Economy +Sheila_Gordy_on_the_Austin_Time_Exchange +Larry_Harvey_on_the_Gift_Economy_at_Burning_Man +NeoGeography_and_Web_2.0 +Sri_Lanka +Open_Source_Cooperative +Red_Org%C3%A1nica_Solidaria_de_Tucum%C3%A1n/es +Center_for_Wise_Democracy +Neo-subsistence_Movement +Greed_and_Good +Valley_Alliance_of_Worker_Cooperatives +Portable_Open_Source_3D_Printer +Agape +Challenge_Corporate_Control_of_Water +Bob_Thomson +CNC_Embroidering +Albert-Laszlo_Barabasi +Innocentive_Business_Model +Sova_Project +Internet_Blueprint +Ayni +Anticapitalism_and_Culture +Super_Peer_Networks +Force_11_Manifesto +Open_Government_Initiative +Hyper_Attention +Serendipity_Machine +P2P_Foundation +Adaptive_Architecture,_Collaborative_Design,_and_the_Evolution_of_Community +Benefit-Driven_Production +Intellectual_Property_Rights,_Terra_Nullius_and_Cognitive_Capitalism +Paolo_Virno_on_Collectivity_as_a_Precondition_for_Individuality +Shveta_Sarda +Communal_Councils_-_Venezuela +HowlRound +Politics_of_Social_Software_-_Dissertation +GPL_Society +Mary_Mellor_on_a_Positive_Money_System +FLO_Farm +Open_Source_Ontologies +Bitgroup +Enabling_Suburbs +Four_Kinds_of_Free_Economy +Sovereignty +Joi_Ito_on_the_Zen_of_Venture_Investing_in_the_Internet +Vendor_Lock-In +Booster_Currency +Democracy,_Innovation_and_Learning_in_Classical_Athens +Electronic_Direct_Democracy_Political_Party_Project +How_to_Plan_and_Execute_an_Act_of_Electronic_Civil_Disobedience +Revolution_as_a_Transitory,_Integrative_and_Holistic_Process +P2P_Foundation_People +6.1.C._Participative_Spirituality_and_the_Critique_of_Spiritual_Authoritarianism +Independent_Online_Distribution_Alliance +Super_WiFi +DrumNet_and_the_Impact_of_Mobiles_on_Kenyan_Farmers +Open_Education_License +Open_Hardware_Initiative +Village2Village +Kennedy,_Margret +Grid_Beam_Building_System +Diego_Comin_on_Why_New_Technologies_Do_Not_Make_Poor_Countries_Rich +Global_Political_Economy_and_the_Stratification_of_Labour_Under_Capitalism +Textual_Poachers +Foreverism +Michael_Rupport_on_Confronting_Peak_Oil_Collapse_through_a_Lifeboat_Movement +Making_Money_with_Open_Source_Hardware +HackdeOverheid +1.2_GNU/Linux_and_Open_Source_(Details) +Trust_Equation +Shimon_Rura_on_the_Open_Research_Exchange_Project_for_Healthcare_Patients +Distributed_Digital_Democracy +Humanitarian_Open_Source +Ecommony +Kevin_Marks_on_Open_Social_and_the_Social_Cloud +Individualist_Anarchism +OpenGLAM +Hackers +Paolo_Cacciari +Howard_Rheingold_on_Internet-Enabled_Shifts_in_Technology_and_Power +Safe-Xchange +Open_Shaspa +Great_Simoleon_Caper +Resisting_the_Love_of_Power +From_Ideology-Led_Organizing_via_Action-Led_Organizing_to_Behavioural-Led_Organizing +Book_Renting +Open_Mobile_Alliance +David_Weinberger_on_How_the_Internet_is_Changing_Human_Relationships +One_Block_Off_the_Grid +Sandbox_Network +Tommaso_Fattori +Bill_St_Arnaud +Open_Source_Governance +Open_Game_License +P2P,_the_Left,_the_Right,_and_Beyond +Educational_Institutions_and_Illegal_P2P_Filesharing +Education_Podcast_Network +Risk_Society +Summary_of_the_Principles_of_Hierarchy_Theory +Energy_End-Use_Forecasting +State_of_The_Music_Industry_and_the_Delegitimization_of_Artists +Timothy_Moss +Death_Knell_for_Open_Politics +Missourians_Organizing_for_Reform_and_Empowerment +Ubuntu_Code_of_Conduct +Chamber_of_Commons +Mutuals +Richard_Lanham_on_the_Economics_of_Attention +Distributed_Republic +Wiki +Ubuntu +Production_of_Commons_and_the_Explosion_of_the_Middle_Class +Tuangou_Team_Buying +Fredrik_%C3%85slund_on_the_Evolution_from_Do-it-Yourself_to_Do-it-Together +Decentrally_Planned_Economy +Future_of_Online_Learning +Social_TV_Media_User_Map +Labor_Theory_of_Value +Michel_Bauwens_over_peer-to-peer +Book_Sprint +P2P_Foundation_Wiki_Taxonomy_Maintenance +Working_Anarchies +James_Boyle +Michael_Rich_on_How_Technology_Can_Be_Used_To_Prevent_Crime +Global_Commons_and_Common_Sense +Community_Trading_Software +P2P_Online_Lending_Auctions +US_Day_of_Rage +Valuation_Studies +Google_and_the_World_Brain +Victor,_Raoul +Product_Hacking +Rootedness +Capitalism +Social_Lending +Community_Forestry_Program_in_Nepal +Radical_Utopian_Science_Fiction +Axel_Bruns +Introduction_to_Mind_Amplifiers +Sociology_of_Critique_in_Wikipedia +Subverting_Global_Finance +LabourLeaks +Digital_Rights_Management +Myth_of_Property +Software_in_the_Public_Interest +Digital_Ecosystem +Sharehood +How_you_can_help_us,_What%27s_in_it_for_you%3F +Commonwealth_of_Networks +4th_Inclusiva_-_Kirsty_Boyle_and_Catarina_Mota_-_openMaterials +Catalan-Language +P2P_Foundation_Legal_Counsel +Chris_DiBona_on_the_Economics_of_Open_Source_at_Google +Little_Brother +Open_Sourcing_Festivals +Mesh_Labs +CrowdCube +Produser_Commodity +1._Le_peer_to_peer:_nouvelle_formation_sociale,_nouveau_model_civilisationnel +Bright_Farms +Web-connected_Toys +Vocabulary_of_Commons_-_Part_4 +Vocabulary_of_Commons_-_Part_5 +Rob_Hopkins_on_Building_a_Sustainable_Green_Economy +Vocabulary_of_Commons_-_Part_2 +Megacommunity_Manifesto +Water_as_a_Commons +Jim_Barkley +Circus_Foundation +Post-Growth_Society_for_the_21st_Century +Food_Web +EdenSpace_Project +Open_Enterprise +Smart_Accounts +Crowdsourcing_Business_Models +Anticommons_Property +Valuing_the_Ethical_Economy +Homegrown_Minneapolis_Commons-Based_Food_Policy_Blueprint +Networked_Politics +Web_Publishing +Civil_Society_Internet_Governance_Caucus +Open_Meetings +Cameras_for_a_Cause +Matt_Bai_o_the_Web_and_the_Next_U.S._President +Common_Genomes +Endogenous_Technological_Change +Andres_Duany_on_Agricultural_Urbanism +Commercial_Barter_Systems +Plantare +Nicanor_Perlas +Idle_Sourcing +P2P_Technologies,_Infrastructure,_Media,_Social_Software +Chamber_of_the_Commons +Mujeres_Imperfectas/es +Adrian_Wrigley_on_Land-Based_Money +Open_Repository +We_Bank_P2P_Finance_Report +Martin_Varsavsky_on_Fon +Currencies,_Governments,_and_the_Commons +Andrew_Bowyer_on_the_RepRap_Project_and_Self-replicating_Machines +Interruption_Science +Free_Audio_Culture_with_Burn_Station +Open_Source_Ocean_Hardware +3D_Printing_Files_Marketplaces +Sally_Goerner +Participatory_Museum +Meltemi_Community +David_Johnson +3.3.B._The_Evolution_of_Collective_Intelligence +Anonymity +Case_Study_on_Strategic_Tagging +Tragedy_of_the_commons +Localization_Graphic +Constituent_empowerment +Free_Tax_Project +Gar_Alperovitz_and_Lew_Daly_on_Unjust_Desserts +Structural_Communality_of_the_Commons +Rainer_Kuhlen +Toward_Global_Knowledge_Sharing_for_Farmers +Open_Source_Nuclear_Fusion +CloudMade +Simplicity +Schools_and_Universities_as_Commons +Gamer_Theory +Blogroll +Community-Supporting_Fruit +Role_of_the_University_in_Cyberspace +History_of_the_Internet +Commons-Based_Cases_in_Alternative_Energy +Linking_Labour_and_the_Commons_Internationally +Scientific_Explorations_of_Compassion_and_Altruism +OpenSciencesFederation +Vandana_Shiva:_on_Monoculture_as_Chemical_Warfare +Media_Commons +Green_Party_Integrated_Consensus/Consent/Voting_Model +Sulak_Sivaraksa +Open_Change +Open_Knowledge_Initiative +Monetary_Regionalisation_and_the_4th_Regiogeld_Summit +Relocalization +Autonet +Feasta +Peter_Meisen_on_Developing_the_World_Resources_Simulation_Center +Organizational_Form +Open_Curatorial_Practices +ArtLeaks +Peasant_Food_Web +Property_Investment_Partnerships +Counterculture_Origins_of_Cyberculture +Boober +Cooperative_Market_Economy +New_Student_Rebellions +Leadership_in_Communities_of_Practice +Personal_Manufacturing_-_Discussion +New_Rural_Reconstruction_Movement_-_China +Emergence_of_a_Planetary_Self +Sketch_Furniture +Integration_as_scientific_method +Danish_Government_Recommendations_on_User_Innovation_Policy +Inquiry_into_the_Future_of_Civil_Society +James_Quilligan_on_Covenants_for_Inclusive_Stewardship_of_the_Commons +How_Crime_Went_Online,_and_the_Cops_Followed +Gwendolyn_Hallsmith_and_Bernard_Lietaer_about_Growing_Local_Economies_with_Local_Currencies +Relation_Theory +Reclaiming_the_Commons_Panel_Discussion +Capital_Homestead +Van_Till,_Jaap +Espa%C3%A7o_Cubo +David_Hales_on_P2P_Currencies +German_Development_Cooperation +Resource_Pool +Henry_Story +Tuangou +Projeto_Prancha_Ecol%C3%B3gica +Bruna_Bianchi +Why_the_Mode_of_Production_Needs_to_Preceed_the_Revolution +GenBank +Neurospora_Crassa_Community_Annotation_Project +Stephanie_Smith_on_the_Group-Sharing_Resource-Based_Economy +Community_Investment_Enterprises +Bernard_Lietaer_Interviewed_on_a_New_World_Currency +Fair_Use_Network +International_Law_of_the_Sea_as_Public_Domain_versus_Private_Commodity +Sahkoautot +Obama_Policy_Watch +Open_City_Guides +Customer_Owned +Brown_Revolution +CNC_Embroidery +Corporation +New_America_Foundation +Green_Tax_Shift +Introduction_to_Fair_Trade_Electronics +Stan_Rhodes +Monetary_Sufficiency +Movement_Against_Water_Privatization_in_Naples +Free_Market_as_Full_Communism +Douglas_Rushkoff_on:_Program_or_Be_Programmed +James_Quilligan_on_Achieving_a_Commons_Economy_in_our_Lifetime +Aba_(Asociaci%C3%B3n_Banca_Alternativa)/es +Open_Media_Vault +CrowdBnk +Open_Source_Storage +Alan_Cox_on_the_State_of_Free_Software_in_2007 +Slow_Politics +Detroit_People%27s_Water_Board +Strategy,_Leadership_and_the_Soul +Distributed_Networked_Biobased_Economies +Open_Lab_Tools +Contract_Manufacturer +Free_Software_Directories +Frame_Dominance +MINT +Plum_Social_Browsing_Demo +Carl_Davidson_on_Cyber-Marxism +Geo_Wiki +Green_Personal_Computing +Spectrum +Foundations_of_American_Cyberculture +Beyond_TCP/IP +Paid_and_Unpaid_Work_in_Peer_Production +Copyright_Tax +Hackidemia +Wiki_Genes +Just_Things +Open_Government_Collaboration,_Transparency,_and_Participation_in_Practice +GNU_General_Public_License_-_GPL +Karl_Hess_on_Alternative_Technology +Shareable_Food_Policies +S%C3%A9minaires +FarmHack +Bangladesh_NGOs_Network_for_Radio_and_Communication +Recut,_Reframe,_Recycle +Open_Graphics_Project +Community,_State,_and_the_Question_of_Social_Evolution +New_Infrastructures_for_Commoning_by_Design +Open_Source_Geopolymer_Cast_Stone_Construction +Red_Clouds_Collective +Soft_Peer_Review +Robert_Scoble_on_Authenticity,_Credibility_and_Authority_in_Social_Media +Re_Potemkin +Open_Hardware_Round_Table_at_the_Commons_and_Economics_Conference_in_2013 +HackdeOverheid_2010 +Myth_of_Barter +Joy_Lohmann +Art_Brock_on_the_MetaCurrency_Living_Systems_Model +Web_Standards_Project +Collaborative_Consumption_Groundswell_Video +Play,_the_Net,_and_the_Perils_of_Educating_for_the_Creative_Economy +Kristin_Lord_on_the_Perils_of_Global_Transparency +Brewster_Kahle_on_Universal_Access_to_All_Knowledge +Jarkko_Moilanen +Eben_Moglen_on_Free_Culture_after_the_Dotcommunist_Manifesto +Robert_Horvitz_on_the_Rationale_for_Spectrum_Reform +Hala_Essalmawi +David_Anderson_on_Boinc +Metcalfe%27s_Plateau +FlashLinq +Kelty,_Christopher +Ariel_Saleh +People_Aggregator +Overview_of_the_Knowledge_Commons +Come_le_Comunit%C3%A0_P2P_Cambieranno_il_Mondo +SPOT_Connect +Deep_Agriculture +Open_Renewables +Food_Harvesting_Maps +Wolfgang_Hoeschele +Defective_By_Design +Great_Revaluing +Provision_of_Infrastructure_for_the_Building_of_Digital_Commons +Food_Network_Software +Trust_License +Critical_Code_Studies +Jan_Rotmans_on_Transitions_in_Sustainable_Development +I_am_the_Long_Tail +Muhammad_Yunus_on_Building_Social_Businesses +Stephanie_Mills_on_Bioregionalism_as_a_Strategy_for_a_New_Economy +Governance_of_the_Global_Commons_by_the_People_UN_Lobby +Verso_i_beni_comuni +Recommerce +Direct_Democracy +Invitational_Journals_Based_upon_Peer_Review +Anne_Oliver_on_New_Models_for_Shared_Leadership +Bytes_For_All +Appropedia_Foundation +Sarapis_Page_2 +Sarapis_Page_3 +Grounding_Labour_in_the_Age_of_Globalization_Insecurity +Voice_and_Choice_by_Delegation +Parliament_2.0 +Pearl_Gel_Box +Harold_Varmus +Mesh_Potato +Lee_Van_Ham_on_Community_Land_Trusts +Self-Organized_Network_Governance +Towards_the_Co-Production_of_Public_Services +Critical_Essays_on_the_Enclosure_of_the_Cultural_Commons +Michael_Carroll_on_Musicians_in_Copyright%27s_Federated_Domain +International_Association_for_Public_Participation +Provincie_start_met_digitaal_burgerforum +Interview_with_Derrick_De_Kerckhove +MakerScanner +Rival_vs_Non_Rival_Goods +One_Community +Oppressive_Scarcities +Media_Policy_Initiative +Spime +PPGis_Net +Crowdpricing +Flickr +Collaboration +Hordur_Torfason_on_Iceland%27s_People%27s_Congress +Crowdfund_Invest +Bookmooch +Purpose_21st_Century_Movements +Neoliberal_State +Virality_Coefficient +Governance_in_P2P_Networks +Flipped_Teaching +Multiplexity +P2P_Manifesto +Berlin_Commons_Conference/Workshops/Crisis +Debian%27s_Free_Software_Guidelines +Charter_for_Transdisciplinarity +Johan_Rockstrom_on_Recognizing_the_Nine_Planetary_Boundaries +Participatory_Aid +Hybran +Three_Preconditions_for_Free_Digital_Manufacturing +P2P_Foundation_Knowledge_Commons_Education_and_Learning_Channel +Martin_Nowak_and_Roger_Highfield_on_Cooperation_in_Human_and_Natural_Evolution +Sm%C3%A1ri_McCarthy +Open_Product_Design +P2P_Energy +3D_Printing +Peer_to_Peer_Surveillance +Power_of_the_Cloud_and_the_Cloud_of_Power +Productive_Consumption +Creative_Freedom_Foundation_-_New_Zealand +Characteristics_of_P2P +Free_Privacy_Enhancing_Technologies +Open_Source_3-D_Printing_of_OSAT +Elegant_Technology +McKenzie_Wark_on_Collaborating_with_Readers +Open_Source_Yoga_Unity +Support_the_P2P_Foundation +Neighbourhood_Sharing +Open_Source_Capitalism +P2P_and_Human_Happiness +Digital_Life_Computing_Model +Germany +Open_Web_Device +From_Keeping_Nature%E2%80%99s_Secrets_to_the_Institutionalization_of_Open_Science +The_Zeitgeist_Movement_Defined:_Realizing_a_New_Train_of_Thought +Mali +Patrick_Sunter +Histories_of_Social_Media +Zero-Profit_Condition +No_Straight_Lines +Zopa +Weeels +Resilient_Futures +Communal_Economics +OpenImperative +Common_vs._Differentiated_Value +Macroecology_of_Sustainability +Audio_Activism +Open_Offices +Lawrence_Lessig_on_the_Comedy_of_the_Commons +Co-Revolution +Open_Product_Data_Working_Group +Cooperation_Works +Education-fr +Universal_Authorship +Collaborative_Planning +Unbundling_of_Music_in_Digital_Channels +Cultural_Flat_Rate +Alex_Rollin +Lulu_TV +Sharing_Commons_Spring_Barcelona_March_2013 +Cultwiki +Collapsing_Forward +Peter_Drahos +Parallel_Visions_of_Peer_Production +Doctorow,_Cory +Owner_Occupied +Google_Street_View +Richard_Heinberg_on_the_End_of_Growth +Tools_for_Thought +Society_for_Public_Information_Spaces +From_the_YOYO_Ethic_of_Individualism_to_the_WITT_Ethic_of_Commoning +Marvin_Brown_on_the_Civic_Economics_of_the_Commons +H_%CE%A3%CE%B7%CE%BC%CE%B1%CF%83%CE%AF%CE%B1_%CF%84%CE%B7%CF%82_P2P_%CE%98%CE%B5%CF%89%CF%81%CE%AF%CE%B1%CF%82_%CE%B3%CE%B9%CE%B1_%CF%84%CE%BF_%CE%9A%CF%8C%CF%83%CE%BC%CE%BF_%CF%84%CE%BF%CF%85_%CE%91%CF%8D%CF%81%CE%B9%CE%BF +Convertibility_for_Mutual_Credit +Self-governed_peer_education +Internet_Governance +P2P_Foundation_Wiki_Taxonomy_Bifurcated_Categories +OpenAjax_Alliance +Cormac_Cullinan_on_Wild_Law +Global_Coherence_Initiative +World_Wide_Mesh +Distribution_of_Power_Between_Users_and_Operators_in_the_Virtual_World +Digital_Customer_Evangelism +Open_Source_Microfactory +Spokes_Council_Model +Mimi_Ito_on_DIY_Video +PicoMoney +Lee_Bryant_on_Social_Business_Design_for_a_Human-Centered_World +Campbell_Mithun_on_Sharing_Attitudes_2012 +Immanuel_Wallerstein_on_the_End_of_Capitalism +Open_Source_Washing_Machine +IDemocracy +Open_House_Project_Google_Group +Open_Law +Sacred_Science +Wiki_Documentary +Alessandro_Ranellucci +Enabling_Open_Scholarship +%CE%9C%CE%B9%CE%B1_%CE%A3%CF%8D%CE%BD%CF%84%CE%BF%CE%BC%CE%B7_%CE%9A%CF%81%CE%B9%CF%84%CE%B9%CE%BA%CE%AE_%CE%A0%CF%81%CE%BF%CF%83%CE%AD%CE%B3%CE%B3%CE%B9%CF%83%CE%B7_%CF%84%CF%89%CE%BD_%CE%91%CE%BD%CE%BF%CE%B9%CE%BA%CF%84%CF%8E%CE%BD,_%CE%94%CE%B9%CE%B1%CE%B4%CE%B9%CE%BA%CF%84%CF%85%CE%B1%CE%BA%CF%8E%CE%BD_%CE%9A%CE%BF%CE%B9%CE%BD%CE%BF%CF%84%CE%AE%CF%84%CF%89%CE%BD:_%CE%97_%CE%A0%CE%B5%CF%81%CE%AF%CF%80%CF%84%CF%89%CF%83%CE%B7_%CF%84%CE%B7%CF%82_Wikipedia +Pedro_Fernandes +Steady-State_Economy +Introduction_to_the_Ethical_Economy +Idea,_Suggestion_and_Complaint_Aggregators +Legal_Torrents +Democratic_Effects_of_the_Internet +Open_Mathtext +Who_Has_Authority_in_the_Occupy_Movement +Peer_Production_License +Impact_Investment_Exchange_Asia +Patient_Innovation +Plan_para_una_sociedad_P2P +Free_Network_Services +Participatory_Epidemiology +EBrainPool +Stefano_Rodot%C3%A0 +ECC2013/Land_and_Nature_Stream/Documentation +Solar_Cooperatives +24_Hours_on_Craigslist +Agile_Software_Development +Howard_Rheingold_Introduces_RSS +Cooperatives_in_the_Age_of_Google +Personal_Offshoring +Adventure_Economy +Comparison_of_business_models +Abundant_Community +Jose_Murilo +Internet_and_Global_Civil_Society +Commons_Learning_Alliance +CoolBot +Open_Thesis +Jan_Engelmann +Models_of_Public_Sector_Information_via_Trading_Funds +Digital_Open +Steve_Rubel_on_Conversational_Advertising +Luigi_de_Magistris +Localisation +Anthony_McCann_on_Going_Towards_a_Critical_Vernacular_Ecology +Government_2.0_Initiatives +Open_Source_Fashion_Design +Wealth_of_Networks +Real_Time_Ridesharing +O%27Reilly,_Tim +Sunil_Sahasrabudhey_on_the_New_Basis_for_Radical_Social_Change_in_India +Grimwire +FreeGate +Election_Integrity_Movement +ContinenteContenido/es +Remix_the_Commons +Freel_Content +Open_Media_Commons_-_Sun +Government_Transparency +Subsistence_Telematics +Semantic_Markup +3.3.D._The_Evolution_of_Temporality:_towards_an_Integral_Time +Cramster +Librezale/eu +Free_Licenses +Dozuki +Workers_Self-Directed_Enterprises +Patrick_Meier_on_Crisis_Mapping +P2P_International_Money_Transfer +Hitchwiki +Open_Spectrum_Foundation +Re-Transmission +TEM_Local_Alternative_Unit_-_Greece +Linaria +Centro_de_Doc_e_Info_Bolivia/es +Las_Gaviotas +Beehive_Design_Collective +Horizontalism +Networked_Authoritarianism +Global_Governance_and_Governance_of_the_Global_Commons +Shared_Social_Worlds_Diagram +TidePools +P2P_Fusion +Jeff_How_on_the_Creative_Wisdom_of_the_Crowd +Resource-based_Economics +RBE +Common_Property_Theory +Ethics_of_Waste_in_the_Information_Society +Jon_Lebkowsky +Futuretalks_on_New_Media +Phillips,Jon +Elisabeth_and_John_Edwards_on_the_Impact_of_the_Internet_on_US_Politics +Colonial_Script +Brigitte_Kratzwald +Green_Wizards +Escola_dels_Commons +RSS_Cloud +New_Business_Models_for_the_Cloud_and_Communications +Peercoin +Curated_Crowds +Assertive_Desertion +Singularity +Matthias_Ansorg +Open-Source_DIY_Floating_Maker_Island +Direct_Navigation +Net_Neutrality +Rapid_Tooling +Fostering_New_Governance_through_the_Creation_of_a_World_Transition_Organization +Jeff_Jarvis_on_Chaos_in_the_Media +Wireless_Ad-Hoc_Network +Open_Allocation +Crowdsourcing_Landscape +Fixing_the_Future_through_Local_Living_Economies +Newspaper_Paywalls +Open_Design_Fairs +Online_Participation_Research +Philippines_Cheap_Medicines_Bill +Lipman,_David +Urban_Tactics +Crash_on_Demand +Document_Foundation +Cloud_Storage +Open_Source_Movies +David_Bollier_on_the_Commons +Player-centered_Design +Free_Software_Case_Studies +BOINC +Indra%27s_Net +Open_Mesh_Network +Ladder_of_Citizen_Participation +Post-Issue_Peer_To_Patent +Social_Analytics +Lisa_Gansky_on_Connecting_Resources_for_Mutual_Benefit +Peuple_des_Connecteurs +Cloudfunding +Commons_Reserve_Currency +Open_Kollab +Hollywood_Stock_Exchange +Red_Az%C3%BAcar_XO/es +Directionless_Enquiries +Worden,_Lee +LIFT_Conference_Talks_in_Video +Really_Open_University +David_Eaves_on_Open_Government +Reputation_Currencies +Fablab_House +Participatory_Video +Cooperative_Loan_Funds +Common_Cause +Non-Dominium +Business_Social_Media_Impact_Forecasting_Simulator +William_Catton_on_Peak_Oil +Post-Crisis_Networks_for_Political_and_Social_Change_in_Greece +Alain_Ambrosi +Radical_Social_Production_and_the_Missing_Mass_of_the_Contemporary_Art_World +Franco_%22Bifo%22_Berardi_on_the_Bioeconomy_and_the_Crisis_of_Cognitive_Capitalism +Dick_Hardt_on_Identity_2.0 +Nate_Hagens_on_Peak_Oil_and_Debt +Skills_Tags +Food_Hubs +Remediating_the_Social +Case_for_Economic_Democracy +Co-op_Law +Bossless_Companies +Sociable_Web_Media_as_Unethical_Capitalism +Stichting_Open_Media +Food +Indexality +Unbook +Participation_Architecture +Information_Rights +Social_Media%27s_Positive_Influence_on_Human_Sociality +Open_Source_Ecology_Germany +Insurgent_Tactics_and_their_Responses +Horto_Domi +Small_is_Profitable +First_Flush +Bioinformatics_Dot_Org +Resource_Allocation_in_a_Commons_Based_P2P_Network +Design_for_Cognitive_Justice +Dynamic_Standard_Platforms_Project +Common_in_Commonism +Matthew_Curinga_on_Looking_at_Wikipedia_through_Jacques_Rancieres_Philosophy_of_Radical_Equality +Occupy_London_Initial_Statement +Jeff_Vail_on_the_Diagonal_Economy +Online_Feedback_Systems +Talha_Syed +http://creativecommons.org/licenses/by-sa/3.0/ +Digital_Prosumption_and_Alienation +Conversations_Network +You_Can_Hear_Me_Now +Mark_Helprin_on_Copyright_and_Digital_Barbarism +WikiPoliSee +Open_Journals_System +Open_Plain +Linux_Kernel_Development_Process +Transparency +Infoliberalism +# +Challenging_the_Chip +Daily_Democracy +XToBeErased2 +La_Casa_de_las_Ideas/es +Audiofeast +Hyperlinked_Society +Bitcoin_OTC_Web_of_Trust +Chiang_Mai_Commons +Lead_Users_Studies +Institute_for_Open_Economic_Networks +Mexico +Network_of_European_Technocrats +Open_Source_Electric_Vehicle +Not_An_Employee +Casa_da_Videira +Community_Food_System +Herman_Daly +Copy_South_Dossier +Gar_Alperovitz_on_Reforming_the_Corporation_for_a_New_Economy +Public_-_Commons_Partnership_and_the_Commonification_of_that_which_is_Public +Handbook_for_Citizen-centric_eGovernment +Virtual_Guilds +Mutual_Development +De_tri-unitaire_%E2%80%98Peer_Governance%E2%80%99_van_de_digitale_commons +Do_It_Ourselves +Robin_Good_Interviews_Michel_Bauwens_on_the_P2P_Society +Pirate_Party +Urban_Edibles_in_Portland +Innocentive +Collective_Intelligence_Net +Semeiotic +GNU_Compiler_Collection_-_Governance +Learning_Networks +OuiShare_Labs +STEMI_Compression +Wark,_Mackenzie +Vodcasting +Jennifer_Muilenberg_The_Dream_of_Data_Manager_One_Standard_for_Documenting_Data +P2P_Metrics +International_Commons_Conference_-_2010 +PorcLoom +Sharing_City +Sarah_Scholz +Blended_Value +EDemocracy_Issues_Forums +Vermont_Common_Assets_Trust +Tom_Attlee +Is_there_a_Social_Media-fueled_Protest_Style +Collective_Innovation_Model +Cognitive_Policy_Works +Indie_Web_Camp +Justin_Kenrick +Physical_Commons +Expronceda/es +FLOSSK +Open_Handset_Alliance +RepRap_Research_Foundation +Post-Corporate_World +Platforms +Susan_Hawtorne +%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%BF_%CE%9C%CE%B1%CE%BD%CE%B9%CF%86%CE%AD%CF%83%CF%84%CE%BF +Astra_Taylor_on_the_Experience_of_Unschooling +Public_Trust_Doctrine +GMOs,_Seed_Wars,_and_Knowledge_Wars +Friends_of_the_Commons +Jonathan_Zittrain_on_Civic_Technologies_and_the_Future_of_the_Internet +Jeremy_Rifkin_on_the_Convergence_of_Time_and_Space +Music,_Technology,_and_the_Rise_of_Configurable_Culture +Peer-Directed_Projects_Center +Creative_History_of_the_Russian_Internet +Becoming_The_Zeitgeist_Movement +Impact_of_Open_APIs_at_Four_News_Organizations +Open_Source_Resources_for_the_Collaborative_Economy +Italian-Language +Florian_Cramer_on_the_German_WikiWars_and_the_Limits_of_Objectivism +Who_Owns_the_Future +Aloha +Relation_Construction +Mendo_Credits +Downward_Causation +UniLeaks +Cory_Doctorow_on_Copyright_Reform +Citations_on_the_Commons_by_Contemporary_Commoners +Urbanism_of_Self-Organisation +Franco_Iacomella +-_Open_Source_telephony +List_of_P2P_Researchers +Bob_Frankston +Flexible_Involvement +James_Hughes_on_the_Ethics_of_Technological_Enhancements +ECC2013/Knowledge_Stream +John_Willinsky_on_Teaching_for_a_World_of_Increasing_Access_to_Knowledge +Gnutella +Robin_Murray_on_the_Future_of_Co-operation +Economics_of_Monasticism +NoiseTube +Peoples_Assemblies_Network +Will_Davies_on_Uneconomics +From_Matriarchies_of_Abundance_to_Patriarchies_of_Debt +Trustworthy_Compute_Framework +Occupy_Movement +Internet_of_Everything +Open_Video_Compression_Format +Charlotte_Hess_on_the_Need_for_a_Commons_Research_Agenda +Philipp_Schmidt_on_Learning_with_the_Peer_to_Peer_University +2013_Spanish-Language_Wikisprint_March_20_List_of_Participating_Cities +Incidental_Productivity +Born_Digital +Intertrading_Protocol +Introduction_to_the_MeshNet +Gatewatching +Nessuno_TV +Dickson_Despommier_on_the_Vertical_Farm_Project +Daniel_Pinchbeck +Web_Profile_Aggregators +Open_Source_GIS_Software +Typology_of_Forms_of_Governance +Tim_Berners_Lee_on_the_Semantic_Web +3._P2P_in_the_Economic_Sphere +Project_Byzantium +Political_Economy_of_Distributism +1.2_GNU/Linux_et_Open_Source_(en_bref) +Cyber-Mobilization +Exchange_Economies +Constructive_Capitalism +Karthik_Iyer +Obama_Administration_Memorandum_on_Open_and_Transparent_Government +Open_Knowledge_Definition +Adrian_Bowyer_on_Personal_Manufacturing +Have_Money_Will_Vlog +Ben_Moskowitz_on_Kaltura_and_the_Open_Video_Alliance +Business_Model +Cooperation_Science +Hidden_Presence_of_Power +Open_Active_Democracy +Arthur_Brock_on_Open_Data_Currencies +Aristotelis_Kalyvas +Alchematter +Voxel-Based_Mode_of_Production +Digital_Resistance +A_Manifesto_on_WIPO_and_the_Future_of_Intellectual_Property +List_of_European_Policy_Consultants +Business_to_Consumer_Sharing,_Consumer_to_Consumer_Sharing,_and_Business_to_Business_Sharing +Civic_Open_Data +Municipal_WiFi_Networks_Explained +Benedictan_Rules_as_a_Hacker_Protocol +Paul_Gilding_on_the_Great_Disruption +Commonification_of_Water_Services +High-Low_Tech +New_Media_Literacy_Skills +For_a_Global_Constitution_of_Information +Mutual_Aid +Metagovernance +Open_Source_Construction_Systems +How_Open_Source_Has_Changed_the_Software_Industry +Chris_Messina_on_Activity_Streaming +Expert_Sourcing +Margie_Mendell +Free +Phishing +Ekklesia +CASH_Music +Social_Innovation_Network +Anne_Ryan_on_Enough_is_Plenty +Digital_Craft +Triune_Peer_Governance_of_the_Digital_Commons +Wikipedia_-_Governance +Occupation_Party +Debt_Cancellation +Scambio_Etico_-_Italy +On_Google_and_Privacy +Digital_Filmmaking +Conditional_Cooperators +EGaia +SmartyPig +Objects_of_Communism +Documentation_on_the_ECC2013_Money_Stream +Positive_Money_Video_Series +Watch_Parties +Government_Social_Media +Zooniverse +Walton_Pantland_and_Andrew_Brady_on_the_Labor-Oriented_USi_Organising_Network +Community-Curated_Works +Happy_Planet_Index +Sarapis +On_the_Need_for_Global_Deterritorialized_Counter-Struggles +Julian_Darley_on_the_Coming_of_the_Post-Carbon_Age +Lawrence_Lessig_on_the_Future_of_Ideas +Peer_Progressive_Movement +Base_of_the_Pyramid +CNC_Embroiderers +Hyperboria +Relation_Reduction +Fat_Belly +Fetchmail_-_Governance +Biocultural_Heritage +Cloud_Time +Qoin +Energy_and_Heat_Pooling +Jeremy_Rifkin_on_the_Origins_of_Progress_and_the_Changing_Concept_of_Time +Open_Space_Movement +Open_Source_Yoga +How_to_Live_Off-Grid +Install_Parties +Quotes_About_the_Internet_and_Global_Consciousness_from_Llewellyn_Vaughan-Lee +Science_for_Citizens +Agrifood_Lists +Crowd_Accelerated_Innovation +Open_Dentistry_Journal +OuiShare_Fest_2013 +Web_Index +Festival_de_Cultura_Libre_K-maleon +Vinay_Gupta_on_Changing_the_Culture_of_Violence_and_Speaking_Truth_to_Power +Cost_of_Small-scale_vs._Large-scale_Manufacturing +Open-Source_Governance +Hacks_Hackers +Danah_Boyd_and_William_Deresiewicz_on_Friendship_Online +Richard_Stallman_on_Copyright_vs_Community +Adversary_Systems +Intellectual_Property_Implications_of_Low-Cost_3D_Printing +Modes_of_Foreign_Relations_and_Political_Economy +Procter_%26_Gamble_Connect_%26_Develop +Is_Peer_Production_Beyond_Capitalism +Phoebe_Moore +Towards_an_Alternative_Form_of_Politics_Beyond_the_Left +Politics_of_Intellectual_Property +Collective_Action_Theory +Relation_construction +3.1.C._The_Hacker_Ethic_or_%E2%80%98work_as_play%E2%80%99 +Global_Giving_Circle +Herman_Daly_on_the_Two_Problematic_Categories_of_Goods +Finnish_Open_Ministry_Platform +Andr%C3%A9s_Garibay +Proyecto_%22Conocimiento_Compartido%22_(Maeztro_Urbano)/es +Governance_and_Decision-Making_Tools +Two-Gun_Mutualism +Time-based_Scrip +Judith_Donath_on_Designing_Society +Appendix_1:_Methodology_for_Research_and_Interpretation_of_P2P_Theory +Combined_Heat_Power +Freeness_Principle +Bank_Debt +SolarCoin +Creative_Insight_Council +Reciprocal_Exchange_Networks +Network-centric_Innovation +S%C3%A3o_Paulo_Declaration_on_Culture_and_Sustainability +Barriers_to_entry +Franklin_Street_Statement_on_Freedom_and_Network_Services +Anti-Teaching +Portugal +BIEN +Route_66 +Yochai_Benkler_on_Open-Source_Economics +Emergent_Intelligence +Introduction_to_the_MIT_Deliberatorium +Ross_Dawson +Comingled_Code +Securing_the_Commons +Biocultural_Community_Protocol +Aquaponic_Integrated_Food_Energy_and_Water_System +Open_IDEO +Doing_Doing/es +Git +Collectively_Intelligent_Systems +Provision_of_Public_Services_by_Civil_Society +Waste_is_Food +OpenScholar +Living_Labs +Open_Research_License +Don_Tapscott_on_Macrowikinomics +Open_Source_Software_Institute +Earth_Sharing +Spore_Liberation_Front +NakedMind +Ding,_Yihong +International_Fab_Lab_Association +Co-operatives_UK +Rolul_Produc%C5%A3iei_%C3%AEn_Parteneriat +Linaria/es +Amigos_del_Agua_de_Mar/es +Theories_of_Value +Another_Future_is_Possible +Carlos_Garcia_on_Scrapblogging +Linaria/en +Yada +Technologies_of_Civil_Society +Corporate_Blogging_Study +Cooperider,_Matt +Community_Development_Banks +Open_Science_Hardware +Architectures_of_Control +Wiki_Hive +Measuring_Community_Energy_Impacts +Juliet_Schor_on_the_Plenitude-Based_Commons_Economy +Horizontal_Decision-Making +Passion-based_Communities +Autonomy_and_Self-Organization_in_the_Revolutions_of_Everyday_Life +Basic_income +JD_Lessica_on_the_Future_of_Darknets +Transaction_Costs_Theory +Chance,_Tom +Semi-Direct_Democrac +Before_Writing +Crowdfunding_in_Spain +Meta-Formation +Playlists_-_Sharing +Principles_of_Open_Source_Politics +Critique_of_One-Sided_Capitalist_Contracts +Appreciative_Leadership_Skills +Building_Digital_Commons +Counterpublics +Property_and_Contract_in_Economics +Michel_Bauwens_in_Dialogue_with_David_Bollier_on_P2P_and_the_Commons +Predatory_Price +Video_Presentations_on_Entreprise_2.0 +Outfoxed +Herv%C3%A9_Le_Crosnier +LayerVote +Bellanet +Worker_Cooperatives +Motivation_for_the_Contact_Summit +Joel_Simmo_on_the_Melanesian_Land_Defence_Group +Citizen_Science_Projects +Practical_Plants +Chapter_1 +Chapter_2 +Blogtorrent +ONG_Derechos_Digitales +Annette_Holtkamp_on_Open_Repositories_for_the_Physics_Community +Measuring_Hidden_Dimensions_of_Human_Systems +David_McNally_on_the_Political_Struggles_of_the_21st_Century +Critique_of_the_Democratic_Potentials_of_the_Internet +Access_to_Knowledge +Open-Source_Everything_Manifesto +Arrosa_irrati_sarea/eu +Crowdsourced_Product_Design +Social_Impact_Bond +Hackerspaces +Institutional_Design_of_Open_Source_Programming +Limits_of_Networks_as_Models_for_Organizing_the_Social +Re-thinking_Money_Creation_and_Fostering_a_new_Ecology_of_Currencies +Firefox +Serious_games +Authorship_Society +Open_Source_Social_Networking_Engine +Know_Your_Neighbor_Project_-_Brazil +Kenandy_Manufacturing_Cloud +Events_Markup_Language +David_Hales +Monetary_and_Fiscal_Policies_for_a_Finite_Planet +Mutual_Banking_Clearinghouse +Larry_Lessig_on_Laws_that_Choke_Creativity +Difference_between_Free_Software_and_Free_Web_Services_Business_Models +4.2.A._De-Monopolization_of_Power +CI-workshop +Collaborative_Mapping_in_Brazil +Online_Collective_Action +Galaxy_Zoo +Digital_Sharecropping +Reputation_Banks +Open_Source_Place-Making +Virtual_Volunteering +Freeriding_Insurance +Puretracks.com +Saharasia +Demoradical_Regulation +Open_Database_Alliance +Brenda_Dayne_on_Knitting_as_an_Open_Craft +Free_Market +Resilience_Circle +Thermonuclear_Apocalypse_and_the_Protocols_of_Freedom +Incentives_for_Participation +Open_Everything +Classifications_of_Communitarianism +Primitive_Accumulation_of_Capital +P2P_Development_Approaches +David_Ronfeldt_on_the_TIMN_Framework +Konnektid +Sharing_on_Campus +Draft_of_Principles_of_the_Law_of_Software_Contracts_with_Significant_Problems_for_Open_Source_Software +Bazar +Making_Of_A_Cybertariat +Open_Meeting +Information_technology_and_%27piracy%27GR +Local_Exchange +Generative_Feedback +What_is_Open_about_Open_Capital +Berlin_Commons_Conference/Workshops/GlobalVillages +Peerconomy +Digital_Recipe_Library +Video_Introduction_to_the_Threadless_Crowdsourcing_Model +Toward_a_Libertarian_Theory_of_Class +Liquid_Politics +Secrets_of_eCampaigning +Worker_Owned_Internet +Recognition +Share_Exchange +Qurrent +Lin,_Jedi +Bolsena_Monastery_Code_Sprints +Comunitats/es +Hacktivism_and_Engaged_Fashion_Design +Future_of_Web_Video +Lewis_Hyde_on_the_Cultural_Commons +Conversation_with_Stephen_Whitehead +Craig_Newmark_on_Craigslist +Modified_Mutual_Housing_Association +Geert_Lovink_and_Christopher_Spehr_on_the_Give_Away_Economy +Initiative_for_Equality +Duvall_Riverside_Village_Co-op +Forging_Democracy +Plutonomy +Michel_Bauwens_on_Protocollary_Power_and_Corporate_Internet_Platforms +DIYgenomics +Right_to_Self_Government +OccupyWallSteet +Clay_Shirky_on_Hierarchy_and_Group_Leadership +Racialization_of_Labor_in_World_of_Warcraft +Susan_Witt +Rebecca_MacKinnon_on_Internet_Freedom +Occupy_Wall_Street_Spokes_Council +April_Rinne +Environmental_Benefits_of_the_Sharing_Economy +Jeff_Clements_on_Why_Corporations_are_not_People +Centralized,_Decentralized_and_Distributed_Networks +Nigel_Shadbolt_on_the_Promise_and_Perils_of_Open_Government_Data +WikiProject_Countering_Systemic_Bias +Role_of_the_State_in_the_Commons +What_is_collective_intelligence_and_whatwill_we_do_about_it +Ecosemiotics +Mashing_Up_The_Open_Web +CX_Project +Trendspotting_on_MySpace +Open_Spectrum +Enterprises_of_Communal_Social_Property +What_Would_an_Open_Source_Education_Look_Like%3F +Regenerative_Agriculture +Smartocracy +Age_of_Deleveraging +Offline_TV +Bonnie_Wills_on_Restorative_Justice +Compact_for_Open-Access_Publishing_Equity +Occupy_Theatre +Logical_Implication +Local_Mart +Open_EHR +Market_Dependence_Theory +Carbon_Co-op +Bogost,_Ian +Howtopedia +New_Corporate_Venices +Church_2.0 +Generative_Economy +Gross_Domestic_Product +Solaqua +Egalitarian_Commonwealth +Green_Light_and_Red_Light_Taxes +Ronaldo_Lemos +Utilicontributism +Hierarchical_Sousveillance +Do_It_Yourself +Who_Holds_the_Power_in_Open_Source_Software_Foundations +Industrial_and_Provident_Societies +Open_Source_Ratings_Are_Needed_To_Break_the_Ratings_Agency_Oligopoly +ECC2013/Land_and_Nature_Stream +Networked_Book +Toward_Global_Knowledge_Sharing_for_Famers +Pro-Am_Astronomy +Mobile_Node +Immaterial_Goods +Culture_of_Information +Open_Source_Bioengineering_Hardware +How_far_will_User-Generated_Content_Go +Free_Software_Legislation_and_the_Politics_of_Code_in_Peru +ColaBoraBora/es +Charles_Leadbeater_on_Education_Innovation_in_the_Slums +New_Age_of_Innovation +CrashPlan +Consumer_Guide_to_Virtual_Worlds +Personal_Manufacturing_in_Education +John_Holloway_on_the_Revolt_of_Doing_Against_Labour +Cambia +Traditional_Knowledge_Digital_Library +Open_Document +Open_Textiles +Estudio_Livre +Transaction_Costs +Truledger +P2P_Foundation_Partners +Pattern_Languages_for_Social_Change +Jonathan_Coulton_on_Music_Piracy +LWDRM_Light_Weight_Digital_Rights_Management +Read-write_Culture +P3P +Open_Technology_Transfer +Clay_Shirky_on_Organizing_Knowledge_on_the_Web +Social_Computing +Most_Important_P2P_Projects_of_2013 +Guerilla_Open_Access_Manifesto +Project_Gutenberg +IEML +Public_Goods_Enterprise +Rhizomatica +Analysis_of_Financial_Terrorism_in_America +Urban_Waterbodies_as_Commons +Henry_Jenkins_on_the_Future_of_DIY_Video +Net_Energy_Factor +CQ_-_Collaborative_Intelligence +Jose_Murilo_on_Government-Supported_Digital_Culture_%E2%80%98Commons%E2%80%99_Initiatives_in_Brazil +Human_Rights_Makerlab +YouTube_and_Copyright +How_Low_Participation_Costs_make_Peer_Production_Inevitable +Transmodernism +Civil_Society_in_Sustainability_Transitions_of_Food_Systems +Wisdom_Council +Dual_Power +Matt_Bai_on_the_Web_and_the_Next_U.S._President +Peer_Production_as_a_Model_for_the_Organization_of_Public_Services_Provision +Cyberwarfare +Peru +Pre_greexit_Archive +Hub_Launchpad +Civinomics +Gabriella_Coleman_and_Karim_Lakhani_on_How_People_Work_Together_Online +Cory_Doctorow_on_the_threat_of_Digital_Rights_Management +Crowdsourcing_Government_Transparency +Alphabet_versus_the_Goddess +Anti-Leadership +IOSN +Barnes,_Peter +Edward_Castronova_on_the_Exodus_to_the_Virtual_World +Mezzanine_Finance +Gaviotas +Amicable_Networks +Ownership +New_Media_Art,_Design,_and_the_Arduino_Microcontroller +Global_Governance_and_Governance_of_the_Global_Commons_in_the_Global_Partnership_for_Development +Peak_Money +P2P_Learning_Platforms +Manifesto_for_European_Common_Goods +Open_Source_%E2%80%93_Governance +Zero_Marginal_Cost +Open_Utility +WikiSprintP2P_Mexico +Taking_Action_on_Free_Culture_and_Open_Access_on_University_Campuses +TZM_Defined:_Overview +Switching_Costs +La_produzione_P2P_e_la_nuova_economia_politica +Virtual_Globes +Precycling +Open_Airplane_Development +Social_Network_Giving +Guide_to_Collaborative_Consumption +Devolutionism +P2p_research_forum +Wiki-ized_University +Complementary_Currencies +Niaz_Dorry +Participatory_Sensing +Introduction_to_the_Urban_Farming_Guys +Digital_Zionism +Occupy_Wall_Street_Medical_Center +Pachamama +Jimmy_Wales_on_Wikipedia%27s_Governance +Knowledge_Workers +Politische_%C3%96konomie_der_Peer-Produktion +Granularity +Collaborative_Value_Creation +Grooveshark +Tribler +Open_Source_Architecture +Abundance_-_Typology +The_Contradiction_between_Openness_and_Profits +Subbiah_Arunachalam_on_Open_Access_in_India +Ralph_Nader_on_Technology_for_Social_Change +Biocapitalism +Funeral_Coop +P2P_-_Pscychological_Differentiaton +Gini_Coefficient +RIPESS +Convergence_of_Free_and_Slow_Culture_in_Global_Relocalisation +Resilient_community +Critique_of_3D_Printing_as_a_Critical_Technology +Lista_personas/grupos_a_ser_invitadas_al_Forum +Chris_Giotitsas +Moseu_Matriarchal_Society_and_Walking_Marriage +Crowdsourcing_Examples +Monica_Horten +UKUUG +15_October +Dynamic_Coalition_on_Core_Internet_Values +Kaiser_Kuo_on_the_Internet_in_China +Free_SmartPhone +Opening_Design +Transcopyright +Physical_Sources +Thomas_Olsen_on_the_New_Taxation_Paradigm +Crowdfunded_Credits_for_Food_Businesses +Website_laten_maken +Tom_Atlee_on_Citizen_Intelligence +Economic_Rationalism +John_Houghton_on_the_Social_and_Economic_Benefits_of_Open_Access +Assemblage_Theory +Peer_to_Peer_User_Owned_Communications_Infrastructure +Rufus_Pollock_on_the_Use_of_Open_Source_Principles_for_Open_Science +Video_Out +Fora_do_Eixo_-_Business_Model +Social_Media_and_Social_Revolution +Decentralized_Trade_Economies +Capitalism_and_the_Ethical_Economy +Barry_Wellman_on_Twitter_as_a_Case_Study_of_a_Networked_Social_Operating_System +Mountain_Biking +P2P_Car_Rental +Bryan_Camp_on_the_Taxation_of_Virtual_Worlds +Open_FSM +Peer_to_Peer_Social_Change_Campaign +Solar_Vehicles +Registry_of_Standard_Biological_Parts +SlideWiki +Citizens_Media +David_Recordon_on_the_Open_Web_Foundation +Rob_Carlson_on_Biology_as_Technology +Source +Alpha_Lo_on_Gift_Circles +Counter-Cartographies_Collective +Affective_Apparatuses +Seats2meet +Open_Social_Welfare +Planning +Boundary_spanner +Eben_Moglen_on_the_Dotcommunist_Manifesto +Atlas_of_Radical_Cartography +Ben_Dyson_on_How_Money_is_Created_and_How_Banking_Works +Europe_vs._Facebook +Social_Saving +Open_Source_Voting_License +Towards_a_Theory_of_Large-Scale_Generalized_Exchange +Pirate_Caucus +Eric_Bina_on_the_birth_of_Mosaic_and_the_WWW +Ninux +Matteo_Cassese_on_the_Conflict_between_Intimacy_and_Openness_in_Open_Innovation +Swarmwise +Robin_Chase:_From_Car-sharing_to_Transportation_Meshworks +Wolfgang_Hoeschele_on_the_Economics_of_the_Commons +Civic_Crowdfunding +Asynchronous_Learning +Video_eCommerce +Inalienability_of_the_Commons +San_Francisco_Sharing_Economy_Working_Group +Piracy_as_a_Common_Business_Model_for_Fashion_Design +Pattern_Languages +Public_Domain_Calculators_for_Europe +Amy_Vickers_on_the_New_Business_of_Collectivism +From_the_Theory_of_Peer_Production_to_the_Production_of_Peer_Production_Theory +Masdar_City +Attention_Recorder +I-Wat +Paperhouses +Jose_Ramos +Appropriate_Economics +Local_Food_Systems +Chan,_Leslie +Emergence_of_an_Economy_of_Communion +Clay_Shirky_on_the_End_of_the_Audience +InterWiki +Benevolent_Dictator +Peer-Based_Compensation +EPIC_Online_Guide_to_Practical_Privacy_Tools +Social_Forum_as_a_Complex_Civil_Society_Network +Senator_Online +Our_Project +Grace_Lee_Boggs_and_Immanuel_Wallerstein_in_Dialogue_on_the_State_of_the_Social_Movements_and_its_Organizing_Practices +Civics_2.0 +Crawford,_Susan +Wiki_Way +Glenn_McGourty_on_the_Slow_Food_Movement +Meshnet +Massive_Abundance +3.4.C._P2P_and_the_Commons +Bradley_Kuhn_on_Free_Software_Communities_vs._Open_Source_Companies +Blog_Book_of_the_Day_Archives_2013 +Blog_Book_of_the_Day_Archives_2012 +Stephen_Billing_on_Joint_Inquiry +Melancholy_Elephants +Gael_van_Weyenbergh_on_Reputation_Currencies +Informal_Property_Rights_Around_the_Hearth +Pre-Greexit_Archive +European_Business_Council_for_Sustainable_Energy +Digital_Activism_Decoded +Networked_Publics +Zombie_Capitalism +Land_Is_Not_A_Commodity +Four_Levels_of_Learning +Open_Source_-_Ownership +Sharers_of_San_Francisco +Clay_Shirky_on_Moderation_Patterns +Demopolitique +Git_Hub +What_Are_the_Necessary_Social_Conditions_to_Benefit_from_Commons-Based_Innovation +3.1.B._The_Communism_of_Capital,_or,_the_cooperative_nature_of_cognitive_capitalism +Talkr +Open_Source_Religion +Andreas_Niederberger_on_Constellational_Citizenship_and_the_Plurality_of_Means_and_Forms_of_Democratic_Participation +Paradise_Lot +Coalition_of_Artists_and_Share_Holders +Comparison_of_Organizational_Forms +Neutral_Zone:_Examples_of_Commonism_in_Star_Trek +Commonplacing +Global_Free_Economy_Project +Utilitarian_Customer_versus_the_Tribal_Customer +Basic_Income_Earth_Network +Qualities_of_Sharing_and_their_Transformations_in_the_Digital_Age +Arduino +Libre_Standard +WebROM +Cybrarian +National_Crowdfunding_Association_-_USA +Family-Based_Peer_Support_Groups +Place_of_Peer_production_in_the_Next_Long_Wave +Sustainable_Agriculture_Movement +Open_Media_Literacy_Manifesto +Pro-Am_Collaboratives +Water_to_drink +Profile_of_Monetary_Reformer_Silvio_Gesell +Open_Source_Education_Models +Diaspora +GPU_(disambiguation) +Deep_Green_Resistance +EBF3 +Labor_Commons_Union +15M_Civic_Taskforces +Networked_Journalism +Rishab_Ghosh_on_200_Years_of_Collaborative_Ownership +Ouishare +North_American_Network_Operators%27_Group +Commons-Based_Peer-Production_Network_To_Facilitate_the_Sharing_of_Plant_Genetic_Information_and_Biotechnological_Tools +Brave_New_Software +Tadzia_Maya_on_Free_Software_Libre_and_Free_Agroecology_in_Brasil +Stray_Cinema +Tribefunding +Clay_Shirky_on_Lolcats_and_the_Cognitive_Surplus +Derrick_Thompson_(aka_SDKrawler) +Michael_Brie +Amory_Lovins_and_Robert_Rosner_on_Nuclear_and_Carbon +Grok +MakerBot_Replicator +Monterey_Institute_for_Social_Architecture +Peer_Net +Douglas_Ruchkoff_on_Open_Source_Democracy +Cyber-Physical_Production_Systems +Facilitating_Online_Communities +P2P_Guilds +WikiLeaks:_and_the_News_in_the_Networked_Era +Instrumental_Value +Social_Media_and_Collaborative_Consumption +Storm_Worm +Open_Access_Scholarly_Publishers%E2%80%99_Association +KnowledgeForge +Cloud_Engineering +Rise_of_Collaborative_Consumption +Giving_2.0 +SusProNet +Candidats_FR +Communitarian_Continuum +Edward_Castronova_on_Synthetic_Economies +Voice_over_WiFi +PsyCommons +Capability_Approach +Open-H20 +IP08_Eight_Port_IP-PBX +Fab_Fund +Mayo_Fuster_Morell_on_the_Digital_Commons_Governance_Model_at_Wikimedia +Solidarity_Finance +Heinrich_B%C3%B6ll_Stiftung_Southeast_Asia_Regional_Office +Bitbills +Yuwei_Lin +Social_Ecology +International_IP_in_the_Public_Interest +Hellekin_O._Wolf +Blackall,_Leigh +Life-cycle_economic_analysis_of_distributed_manufacturing_with_open-source_3-D_printers +Open-source_3D-printable_optics_equipment +Bill_Mitchell_on_Modern_Monetary_Theory +Libre_Projects +Customer_Stock_Ownership_Plan +Eudemocracia/es +Richard_Levins_on_Developing_a_Science_for_the_People +Matias_Federico_Battocchia_on_Open_Source_Governance_and_Practical_Direct_Democracy_through_the_Web_2_0 +Giacomo_D%E2%80%99Alisa +Jai_Ranganathan_Engaging_with_the_Public_and_Improving_Your_Science +Metaprotocols +Swap_for_Good +Autonomous_Tech_Collectives +%CE%9B%CE%AF%CF%83%CF%84%CE%B1_A%CE%BD%CF%84%CE%B9%CE%BA%CE%B5%CE%B9%CE%BC%CE%AD%CE%BD%CF%89%CE%BD +Going_Local +Renewable_Energy_Commons +Scientific_Collaboratories +Stephanie_Wright_Create_the_Culture_of_Sharing_Data_and_Code +Rudolf_van_der_Berg_on_the_Future_of_Interconnection +Bank_of_Happiness_-_Estonia +Dotorganize +Large-scale_Collaboration +Wikipedia_Weekly_Podcast +PlantCatching +Massive_Online_Open_Research +Crypto-Credit +Memefest +Andrew_Greenfield_on_Everyware_Ubiquitous_Computing +Podbop +Open_Source_Emergency_Shelter +Design_for_Services +Functional_Finance +Bald_Ambition +Cameron_Sinclair_on_Open_Source_Architecture +Gardner_Campbell_on_Digital_Imagination_and_Web_2.0_for_Education +Peer_Trust_Network_Project +Human_Nature +Mahdi_Gheshlaghi +Sociotechnical_Skills_in_the_Case_of_Arduino +Relationship_Between_Individual_Tasks_and_Collaborative_Engagement_in_Two_Citizen_Science_Projects +Hacking_Our_Way_Back_to_Democracy_Panel +Social_Form_of_the_Commons +Organising_and_Disorganising +Copyright_Monopoly_Stands_in_Direct_Opposition_to_Property_Rights +The_One_People%27s_Public_Trust +Benkler,_Yochai +Examining_the_Relational_Dimension_of_Resource_Allocation +Open_Courses_for_Open_Education +Resilience_of_the_Internet_Interconnection_Ecosystem +Gift +Open_Design_of_Jewelry +Komunal_Urbanism_Social_Charter +Autonomy_and_Horizontalism_in_Argentina +Peer_to_Peer_Relationality +Conscious_Social_Systems +Digital_Citizens_Basics +Peer_to_peer +Tim_O%27Reilly_on_Who_2.0 +Gamification +Club_Goods +Educational_Podcasting +Land_and_Resource_Scarcity_Under_Capitalism +Rise_of_Open_Source_Licensing +Open_CI +Twollars +Dominic_Muren_on_the_Ecological_Advantages_of_Open_Hardware_Manufacturing +Open_Business_Models_for_Scholarly_Journals +Hima +Permanent_Tourists +Reflections_on_a_Revolution +ESG_Metrics +User-Created_Advertizing +Home_Schooling_Goes_Mainstream +Anil_Naidoo +StreetScooter +Co-operative_Enterprise_Hub +Global_Lambda_Integrated_Facility +Specialized_Seminars +Original_Meaning_of_Democracy_as_Capacity_To_Do_Things_by_the_Whole_Citizenry_Not_Majority_Rule +How_Green_Is_Your_Internet +We_the_Media +Protocol_Politics +Open_Servo +Creative_Commons +Liminal_Social_Drama +Free_Software_and_The_Struggle_for_Freedom_of_Thought +James_Quilligan_on_Cap_and_Rent_for_Climate_Change +P2P_Conferences_To_Attend_In_2013 +Ogallala_Commons +A_Cooperative_Housing_Usership_Design +Reclaim_The_Commons +Open_Smart_Grid +Open_Access_E-Books +Using_Wiki_in_Education +Eichhorn,_Kate +Mondragon_Experiment +Libres_Savoirs +Zuckerman,_Ethan +Ruth_Meinzen-Dick +Open_Scientific_Software_Commons +Joel_Holdsworth_and_Aaron_Newcomb_on_the_Cinelerra_Open_Source_Video_Editing_Software. +Organizations_Participating_in_the_Re-Thinking_Property_Platform +Global_Villages +Shared_Transport +Sun_Cut%C2%ADter +Open_Source_Crowdfunding +Cathy_Ma_on_Trust_and_Wikipedia +Committee_on_Workers_Capital +Tyrrany_of_Structurelessness +Workers_Health_Assurance_Groups +SuperMedia +Fraternity +Limor_Fried +Meta-Industrial_Class_and_Why_We_Need_It +Guaranteed_Income_conference_2007 +What_is_Abundance-Based_Money%3F +L%27Avvenire_%C3%A8_Peer-to-Peer +Catalogue_of_the_Commons +Mark_Elliot +Montr%C3%A9al_Ouvert +Richard_Jefferson_on_Biological_Open_Source +EDU_Debtors_Union +Differences_between_Open_Source_and_Open_Currencies +Anthony_McCann_on_the_Enclosure_of_the_Information_Commons +2.1_Copyright_and_Mass_Media_(Nutshell) +Nicholas_Carr_on_the_Ethics_of_Technology_Infrastructures +Task_Rabbit +DIY_U +Florian_Cramer_and_Aymeric_Mansoux_on_How_to_Run_an_Art_School_on_Free_and_Open_Source_Software +Fundable +Blog-Based_Peer_Review +Frederick_Burks_on_Guiding_Personal_Transformation_Online +Open_Frameworks +Steve_Rosenbaum_on_the_Emerging_Curation_Nation +Instrumentation_Model_of_Data +Open_Source_Service_Companies +Copyleft_Attitude +Patent_Busting_Project +Anti-dcma +Bilateral_Free_Trade_Agreements_and_IP +Open_Source_Shorts +Open_Bidouille_Camp +Yochai_Benkler +Apertus +OS_Alliance +Shared_Assessment +Jean-Claude_Guedon_Le_Libre_Access +Constitutional_Assembly_of_the_Commons +Stephen_Downes_on_the_Future_of_Education +Web_Based_Face-to-Face_Economy +Energy_and_the_Wealth_of_Nations +Democracy_and_Economic_Planning +Community_Land_Trusts_(UK) +P2P_Content_Distribution_and_Hosting +Framework_for_European_Crowdfunding +Kurt_Cobb_on_the_Prelude_Peak_Oil_Novel +Tactical_Media +Open_Planning_Project +Transfinancial_Economicsl +Kevin_Flanagan +Value_Accounting_System +Laying_the_Foundation_for_a_P2P_Network +Silja_Graupe +Stack_Overflow +Labour_of_the_Commons_as_the_Communism_of_Capital +Land_Trusts_for_Housing +Linux_Phone_Standards +INEC_Declaration_on_Open_Networks +Augmentology +Global_May_Manifesto_of_the_Occupy_movement +Partizaning +Conceptology_of_Learning_and_Leading_at_Work +Personal_Web-Server_Technology +Moral_Origins +Jessica_Nelson_on_Energy_Co-ops +Michel_Bauwens_on_the_Political_and_Policy_Aspects_of_P2P +Free_Learning_Depositories +Fair_Phone +Piracy_Effect +Open_Project +Open_Development_Communities +Federated_Blog +One_Laptop_per_Child_Project +OpenSpime +Commons_at_the_Rio%2B20_People%27s_Summit +Second_Curve_Economy +Scambio_Etico +Chris_Anderson_on_the_New_Manufacturing +Positive_Linking +Collaboration_Platform_Projects +Personal_Datamining +P2P_Temporality_-_John_Holloway +Clare_Graves_on_his_Levels_of_Existence_psychology +Emerging_Alternatives_to_the_Shareholder-Centric_Model +Herman_Ott +Abundance_of_Food_vs_the_Abundance_of_Recipes +Many_Minds_Principle +Ann_Pendleton-Jullian_on_Power_in_the_Change_from_a_Triformist_Era_to_a_Quadriformist_Era +From_Producer_Innovation_to_User_and_Open_Collaborative_Innovation +Pierre_Ducasse_on_Economic_Democracy +Iqbal_Quadir_on_the_Power_of_Mobile_Phones_to_End_Poverty +Wikitown +DOBRO_WSP%C3%93LNE_JAKO_NOWY_PARADYGMAT +Gertjan_van_Stam +Occupy_come_nuovo_modello_sociale +Communist_Hypothesis +World_Summits_on_Free_Information_Infrastructures +Regenesis +Why_the_Age_of_the_Guru_is_Over +Mondragon_Empresa_Abierta_Open_Business_Models_Research +Towards_a_Taxonomy_of_Crowdsourcing_Processes +Local_Food_Systems_(NORA) +Untold_Story_of_Seeds +Viable_Systems_Model_and_Climate_Governance +Open_Source_SF +Competition_Platforms +Nadia_El-Imam%27s_Open_Letter_to_Michel_Bauwens_on_the_Peer_Production_License_and_Response +Enterprise_Facilitation +Video_on_Grassroots_Economy_Festival_2009 +Conocity/es +Metalab_Vienna +Co-Constructing_a_Commons_Paradigm +SKDB +Crowdcreation +Jagdeesh_Puppala +Infrapolitics +Reputation +Governance_of_Social_Media_Spaces +Matthew_Pearl_on_the_Literary_Vision_of_Copyright +Alejandro_Andreu_Is%C3%A1bal +Almanaque_Azul_Panam%C3%A1,_Gu%C3%ADa_de_Viajes/es +Open_Source_Site_Tour_Creator +Platial +Participatory_Energy_Network +Evolutionary_Psychology +Greed_and_Scarcity +Internet_maakt_ons_tot_supersociale_wezens +Philosophy_Of_Software +Scott_Barrett_on_Cooperating_for_Global_Public_Goods +User-Generated_Devices +Emergence_of_the_Relationship_Economy +Biosphere_Politics +Open_Cultuur +Commons_Debate_in_Dakar +Self-Employment +Open_Eco +Mark_Charmer_on_AKVO%27s_Open_Source_Approach_to_Water +Maker_Focus +Craig_Shapiro +P2P_Microfinance_-_Business_Model +Peer-to-Peer_Voting_Scheme +Post-Scarcity_Economy +Citizen_Pact +Hazel_Henderson_on_the_coming_age_of_worldwide_cooperation +Social_Capitalist +GNOME_Foundation_Is_All_About_People +Civic_Accountability_for_the_Commons +IP-TV_is_verouderd_toekomst_aan_P2P-TV +Social_Capitalism +No_One_Listening_Media_Deconstruction +Surveying_the_Territory_of_Energy_Alternatives +How_Web_Technology_Is_Revolutionizing_Education +Cybermohalla_Ensemble +Commons-Based_Provisioning_of_Meaningful_Livelihoods +Communal_Life_and_Values_among_the_Mormons +Peer-To-Peer_Human-Robot_Interaction_Project +Seward_Community_Cafe +Democracy_and_Deliberation +Open_Source_Media_Definition +Inclusive_Design +Creating_Sustainable_Societies +Jonas_Andersson_on_the_Emergence_of_Pirate_Politics +Thomas_Schlechte +Internet_Architecture_Board +Redphone +Oomlout +Hacking_Business_Model +Reputation-Based_Employment_Marketplaces +Open_3 +Prosumers +George_Por_on_the_Commons_Education +Social_Flights +E2C/Principios_E2C +Solar_Roof +Open_Money_Project +Daniel_Mellinger_on_Central_vs._Distributed_Device_Control +Michel_Bauwens_on_Open_Business +Open_R +Ubuntu_Studio +Twelve_Benefits_of_a_Commons-Based_Approach +Resilient_Urban_Design_Principles +Open_Cores +Hugh_McGuire_on_Publishing_Public_Domain_Audiobooks +Distributed_Energy_Financing +Salience +Rise_and_Demise_of_the_New_Public_Management +Transparency_2.0 +Directory_of_Cryptocurrencies +Barriers_and_Challenges_to_Personal_Manufacturing +Chad_Hurley_on_Revenue_Sharing_at_YouTube +Judy_Breck_on_Cloud_Education +Influence_of_Free_Digital_Versions_of_Books_on_Print_Sales +Neil_Gershenfeld_on_the_Fablab_Movement +Richard_Sambrook_on_the_Role_of_Newsmedia_and_the_BBC_in_a_Participatory_World +Open_Virgle +Open_Straw +Making_Space_For_Others +Johannes_Heimrath +Institute_for_Citizen-Centred_Service +Intentional_Communities +Norwegian_Music_Industry_in_the_Age_of_Digitalization +Metabolic_Commons +Three_Ways_of_Getting_Things_Done +IWorkers_Union_International +ECC_Support_Team +Religion_and_Technology +Welcome +Open_innovatie +Michael_Zimmer_on_the_Web_2.0_Critique +Social_Reading +User-Generated_Street_Maps +Value_Sensitive_Design +SquidBee +OpenSPARC_Initiative +Web_Hook +Human_Dignity_and_Humiliation_Studies +Open_Bio_-_Norway +Stephen_Downes_on_Openness_in_Education +Paul_Miller_on_Sustainable_Models_for_Open_Data +Peer_to_Peer_Credit_Architecture +Robert_Neuwirth_on_the_21st-Century_Medieval_City +Spirituality_and_Economic_Transformation +Jeff_Buderer +MicroContent +Ownership_and_Learning +Mondomix +Distributed_Peer-to-Peer_Applications +Open_PhD +Open_Declaration_on_Public_Services_2.0_in_Europe +Dark_Side_of_Wikipedia +David_Hales_on_Distributed_Reputation_System_for_Peer_Banking +Network_Citizens +Jean-Paul_Faguet_on_Governance_from_Below_or_Decentralization_in_Bolivia +Affinity_Markets +Carl_Middleton +Corporations_and_their_Pathological_Pursuit_of_Profit_and_Power +Ecosystemic_Participation +Johnny_Ryan_on_Wikileaks_and_Cyberwar +Ludger_Hovestadt +Gabriella_Coleman_on_Geek_Politics_in_the_Age_of_Anonymous +Optimized_Link_State_Routing_Protocol +Common_Ground_in_a_Liquid_City +Wikipedia_and_the_Rise_of_Participatory_Journalism +Findhorn_Ecovillage +Will_the_Ethical_Economy_save_Facebook +From_the_Popular_Front_to_the_Populous_Fronts +Gabe_McIntyre_on_Videoblogging +Putting_Citizens_First +Hack4Good +Collective_Allocation_of_Science_Funding_as_a_Common_Pool_Research_Resource +Making_Your_Own_Green_Tech +Craig_Bremner_and_Eric_Olin-Wright_on_the_Utopian_Imagination +Class_of_the_New +Dell_Idea_Storm +Open_Photovoltaic_Mapping_Project +Consent_of_the_Networked +Massimo_Menichinelli_on_Open_P2P_Design +History_Commons +Democratic_Technics +Relational_Order_Theories +Private_Property_is_Not_the_Right_Solution_for_the_Natural_Commons +Free_Software_and_Marxism +Private-Benefit_Corporation +Social_Media_Are_Re-embedding_Cultural_Production_into_Concrete_Social_Relationships +Open_Health +Complex_Equality +Open_Source_UAV_Autopilot +Hasslberger,_Sepp +E2C/Curriculum_Design +Compassionate_Instinct +Life_Lease_Coop +Gerd_Leonhard_on_the_New_Economics_of_the_Media_Industry +Open_Source_Technology_Pattern_Language +Serve_Your_Country_Food +Spanish-Language +Occupy_Cafe +Caravan_of_the_Commons +Industrial_Provident_Societies +Anti-credentialism +Alicia_Gibb_and_Ayah_Bdeir_Explain_the_Open_Source_Hardware_Revolution +Secret_War_Between_Downloading_and_Uploading +Thai_language +Open_Source_-_Governance +Epub +Organization_for_a_Free_Society +Next_Buddha_Will_Be_a_Collective +Podfading +John_Taylor_Gatto_on_Life_and_Education +Framework_for_Augmenting_the_Collective_Intelligence_of_the_Ecosystem_of_Commons-based_Initiatives +Health_Care_Commons +Manuel_Castells_on_Post-Meltdown_Alternative_Economic_Cultures +FOSS_Organizations_Directory +Informal_Learning_Mash-Up +Online_Voting +New_Corporate_Forms_in_the_U.S. +Open_Source_Approaches_-_Generalities +Ohloh +Exeem +Lambeth_Co-operative_Council_Wiki +Great_Sharing_Economy +Peer_to_Peer_Virtual_Worlds +2.3_%C3%89conomie_de_la_production_immat%C3%A9rielle_(en_bref) +Marcin_Jakubowski_on_Neosubsistence +Open_Rules_Currencies +Structured_Blogging +P2P_in_Multi-Unit_Housing +Feudal_Aspects_of_the_Social_Capital_Market +Nouveau_Pouvoir_des_Internautes +Resource-Based_Economy +Open_Design +Grand_Alliance_for_the_Commons +Universal_Resource_Identifiers +Imputed_Production +Patrick_Meier_on_Changing_the_World_One_Map_at_a_Time +Baen +Peer-to-Peer_Systems +Right_to_Research_Coalition +Cloud_Law +Clay_Shirky_on_Open_Culture_and_the_Democratization_of_Media +Relationships_and_Pain_of_Disconnect_as_Business_Strategies +Open_Money_Bibliography +Birte_Friebel +Ethan_Zuckerman_on_Internet_Censorship +Asymmetric_Link +ISolon +Radical_Cross_Stitch +Biomedical_Research_Commons +Javier_Toret +Customer-build_network_infrastructures +Don_Burke_and_Sean_Dennehy_on_the_CIA%27s_Intellipedia_Project +Self_Managed_Market_Socialism +Participatory_Cultures_Handbook +Fab_Camera +Open_Civic_Systems +P2P_Collaboration_Stack_Overview +When_Renewable_Energy_Becomes_a_Snake_Oil_Recipe +Developing_the_Capacity_to_Hold_a_Collective_Field +Communal_Banks +P2P_Foundation_Email_Lists +P2P_Blog_Planning_Resources +The_Medieval_Machine +3D_Printing_Industry +Ashoka +Felix_Stalder +Remix_My_Lit +Recognition_Markets +Community +Collaborative_Eating +Sustainability_of_Free_and_Open_as_Key_Political_Issue +Materialities_and_Imaginaries_of_Informational_Capitalism +Acequias +Design_and_architecture_as_sustainable_platform_building +Opencast +Paganism +Manufacture +Publicly-Owned_Broadband_Networks +Open_Innovation_Projects +Open_Source_Digital_Patterns_Making +Deliberation_Technology +Theorizing_Digital_Labour_and_Virtual_Work +Facilitating_Customer_Co-Design_through_Rapid_Manufacturing +Metaverse +Open_Source_Streets +Appelbaum,_Assange_and_Harrison_on_a_Global_Guild_for_Sysadmins +CoFed +Farmery +Project-Based_Business_Models_for_Cultural_Production +Open_SSL_Project +Towards_a_New_Cybernetic_Socialism +Internet_for_Everyone +Cornucopia_of_the_Commons +Project_Better_Place +Creating_a_Intellectual_Commons_through_Open_Access +GNU/Linux +Open_Cognition_Project +P2P_Foundation_Knowledge_Commons_Peer_Property_Channel +Tim_O%27Reilly_on_the_War_for_the_Open_Web +Customer_Aggregation +Web_2.0_Storytelling +Open-Source_Library_for_Mobile-Friendly_Interactive_Maps +6.1.D._Partnering_with_nature_and_the_cosmos +Information_Wants_To_Be_Free +Internet_World_TV_Charts +Getting_Results_from_Crowds +Open_Source_Psychedelia +Community_Informatics +Commons-Based_Peer_Production +Open_Networking_Foundation +Marc_Tuters_on_viral_marketing_and_social_networking +Global_Revolution_Movements +Introduction_on_Individuality,_Relationality,_and_Collectivity +Are_Open_Source_Communities_Sexist +Project_Nottingham_Book +EuroDIG +Discussing_the_Future_of_the_Book +Peter_Fein_on_Telecomix +Phone_Gap +-_Mark_Pesce +Nicolas_Krausz +City-Based_Food_Commons +Public_Peer_Review +Open_Data_Institute +Harnad,_Stevan +While_We_Watch +Giovanni_Scotto +Tragedy_of_the_Tragedy_of_the_Commons +Open_Data_and_the_Semantic_Web +Catalu%C3%B1a_y_Estado_espa%C3%B1ol +Vandana_Shiva_on_Organic_Agriculture_and_the_Seed_Commons_in_India +Hazel_Henderson_on_the_Coming_Age_of_Worldwide_Cooperation +Taxes_as_Commons +Ken_Thompson_and_Lisa_Kimball_on_the_Biology_of_High-Performance_Teams +Lev_Vygotskij +Two-Seater_Renewable_Energy_Vehicle +Susana_L%C3%B3pez-Urrutia +Understanding_Motivation_and_Effort_in_Free_and_Open_Source_Software_Projects +Citizens_Jury_Process +Peer_Production_of_Large-Scale_Networked_Protests +Tom_Evslin_on_Net_Neutrality +Cultures_of_the_Digital_Economy_Research_Institute +OpenLayers +Synergic_Science +FabLabs_in_France +Role_of_Nonprofit_Foundations_in_Open_Source_Governance +Stewardship,_not_Ownership,_of_Culture +Legal_Tinkering,_Expertise,_and_Protest_among_Free_and_Open_Source_Software_Developers +Huaxi +1_Block_off_the_Grid +P2P_Culture +Open_Source_Bio-Amplifier +Ozzie_Zehner_on_the_Ecological_Impacts_of_Manufacturing_a_Renewable_Energy +Governing_the_Commons +Richard_Baraniuk_on_Open_Textbooks_and_Open_Educational_Resources +XMPP +Open_Source_Ideas +Sakhoautot +Selected_Essays_on_Technology,_Creativity,_and_Copyright +Biopolitical_Diagram +LabGov +Open_Government_Data_as_a_Service,_not_a_Product +Bilderberg +Ronald_Leenes_on_Privacy_and_Sociality_in_Facebook_and_on_other_Social_Network_Sites +Johan_S%C3%B6derberg +Consumer_Mass_Customization +Augmented_Social_Networks +Community_Supported_Bakery +Open_Source_Home_Automation_System +Inclusiveness +Benefit_Sharing +Tool_Libraries +Tamera +Christian_Iaione +Algorithmic_Authority +Crowdsourcing_Medical_Diagnosis +Occupy_Money +Community_Bike_Shops_-_Business_Models +Getaround_-_P2P_Carsharing +Occupy_as_a_Movement_of_the_Salaried_Bourgeoisie +KoKonsum +Swarm_Organization +Julian_Assange +What_Roles_Should_Companies_Play_on_Wikipedia +Social_Kitchen_Panel_at_Food_2.0 +Commons_in_a_Box +China +P2P_Healthcare +New_Urban_Agriculture +Carbon-Free_and_Nuclear-Free +Dale_Dougherty +Time_Banks +Fusolab +Flexible_Carpooling +P2P_and_Utopia +Free_Software_and_The_Struggle_for_Freedom_of_Thought, +Open_Limited_Company +P2Pvalue_Commons_Based_Peer_Productions_Directory +Scott_Bader_Commonwealth +Subtle_Activism +Marc_Rotenberg_on_Privacy_Policies +Open_Scientific_Data +David_Graeber_on_Why_the_Gift_Economy_and_the_Commons_Are_Always_Already_Present +Friederike_Habermann +Genuine_Progress_Indicator +Libre_Society +Fon +Co-Creative_Event_Pattern_Language +Hack_Your_PhD_Open_Science_Tour_Diary +DigiActive_Introduction_to_Facebook_Activism +Conversational_Media +OKCON_2011_Videos +Commons_Sense +Open_design +Mil-OSS +99_Designs +Hokkaido-8_Symposium_on_Evolving_Science +Demo_Electrabel +Public_Employment_as_a_Civic_Common_Pool +Lifestreaming_Services +Symbiotic_Intelligence +W3C_Social_Web_Incubator_Group +Publicness +Music_Brainz +Software-Defined_Radio +Peer_Library +Supporting_Cognitive_Skills_for_Mutual_Regard +Moneyless_Man +Communitarianism_in_a_Market_Culture +Panton_Principles +Direct_Social_Production_of_Value_and_Money +Mapping_the_Commons_of_Istanbul +Jane_McGonigal_on_Alternative_Reality_Games_for_the_Greater_Good +Maker_Spaces_in_China +Mitch_Resnick_on_the_Role_of_Making_and_Tinkering_in_Next-Generation_Learning +Interview_with_John_Zerzan +La_Mora +Evolution_of_Consciousness_According_to_Jean_Gebser +James_Boyle_on_Re-Inventing_the_Gatekeeper +Support_OWS +Theater_of_the_Commons +Spiritual_Machinima_for_Social_Change +Common_Property_vs_Public_Property +Hand_Made +Revisiting_Associative_Democracy +Consent_to_Research +Tactical_Fandom +Free_Drugs_Movement +Glocal +Rethinking_Our_Centralized_Monetary_System +How_Copyright_Caused_the_19th_Cy._UK_to_Lose_its_Industrial_Innovation_Edge_to_Germany +Commons_a_Model_for_Managing_Natural_Resources +Social_Participation +OSE_Europe_-_Governance +Open_Street_Browser +Franz_H%C3%B6rmann_on_Semantic_and_Triple-Entry_Accounting +Educopedia_-_BR +Open_Economics_Working_Group +Diego_Gonzalez +Harriet_Washington_on_the_Corporate_Control_of_Life_Itself +True_Economic_Factors +Heart_of_Dryness +Open_Instruction +Hyperlocal_News +Immediatism +Leif_Thomas_Olsen +Shaw,_Ryan +Tim_Westergren_on_Royalty_Payment_and_the_Future_of_Webcasting +15_things_that_Twitter_Does_Well_as_a_Medium +Dynamics_of_Inquiry +Case_studies_of_Co-creative_Labour +Occupy_University +Weblog_Project +Copyfarleft_and_Copyjustright +Open_Knowledge_Foundation_Working_Group_on_Open_Data_in_Archaeology +Participation +Open_Hardware_Roadmap +Local_Harvest +http://www.semantic-mediawiki.org/wiki/Semantic_MediaWiki +Open_File_Format +Make_Textbooks_Affordable +DIYbiologists_as_Makers_of_Personal_Biologies +Emerging_Patient-Driven_Health_Care_Models +Negative_Income_Tax +Michigan:_The_Transformation_Manifesto +Dark_Mail_Alliance +4.1.E._New_conceptions_of_social_and_political_struggle +Wildfire_Learning +Sharing_City_Seoul +Being_at_home +Christin_Chemnitz +Kaitlin_Thaney_on_the_Mozilla_Science_Lab%27s_Open_Science_and_Open_Web_Priorities +Morgan_Gillis_on_Mobile_Linux +Needs_Sharing +Web_Space +Journey_to_Integral_Feminism +Peer-Based_Moderation +Mike_Leung_on_the_Abolish_Human_Rentals_Movement +Benefit_Society +Noam_Chomsky_and_Bruno_della_Chiesa_on_40_Years_of_Pedagogy_of_the_Oppressed +Kuhn,_Bradley +Occupy_Arrests +Dot-P2P_Project +Deutschsprachige_Seiten +RepRap_Replicating_Rapid-prototyper +Telco_Energy_and_Infrastructure_Efficiency +Katalin_Kuse +Nicholas_Christakis_on_Social_Network_Theory +Grey_Tuesday +CloudFab +Fork_the_Commons +Internet_and_the_End_of_Monetary_Sovereignty +WorldCat_Copyright_Evidence_Registry +Internationalism +Lumenlab +Discussions_on_Commons_Economics +Occupy_Homes +Documenting_OWS_Meetings_and_Events +Mass_Peer_Activism +Cool_Mobilization +Lifestreams +Marcus_Salvagno +River_Simple +Marcin_Jakubowski_on_the_Open_Source_Ecology_Project +Organic_Agriculture +Eric_Frank_on_Openly-Licensed_Textbooks +Meaning_of_Occupy_Wall_Street_for_the_Left +Beginner%27s_Guide_to_Joining_Anomymous +Further_Developments_on_the_Commons_Education_Commons +Field_of_Plenty +Biobazaar +Exploring_Wikis_in_Education +Diego_Leal +Urban_Agricultural_Revolution +Product-Centered_Local_Economy_vs_People-Centered_Local_Economy +Online_Gradebooks +Bitcoin_ATM +Labour_Managed_Firms +Political_Economy_of_Plant_Biotechnology +DNA_Hacking +Occupy_Wall_Street_Guilds +Richard_Cameron_on_Social_Bookmarking_and_Citeulike +Institute_for_Local_Self_Reliance +VoiceXML +Towards_Peer_Production_in_Public_Services +Open_Science_Movement +Drie_misverstanden_over_P2P +Post-Newtonian_Monetarism +Lauren_Sandler_on_the_Assignment_Zero_and_Digital_Journalism +W3C_Speech_Interface_Framework +Declaration_on_Freedom_of_Expression_and_the_Internet +Petros +Things_We_Share +Overcoming_Technical_Constraints_for_Obtaining_Sustainable_Development_with_Open_Source_Appropriate_Technology +What_Have_Complementary_Currencies_in_Japan_Really_Achieved +Open_Research +ISalons_Podcasts +LabCMO +Peer-to-Peer_Financing_Mechanisms_to_Accelerate_Renewable_Energy_Deployment +Cultivating_Collective_Intelligence_Leadership +Geonomy_Society +David_Vitrant_and_Mark_Friedgan_on_Microfinance_and_Crowd-Funding_for_Science +PBS_News_Hour_on_Benefit_Corporations_for_Positive_Community_Impact +Genvieve_Azam +Patent_Failure +Peer_to_Peer_-_Advantages +Critical_Wikipedia_Reader +Manifesto_of_the_Appalled_Economists +Google_and_the_Myth_of_Universal_Knowledge +P2P_Foundation_Knowledge_Commons_Peer_Production_Channel +Private_Property_and_Common_Property +Communication_Theology +Open_Source_Villages +Free_Society +Peter_Kruse_on_the_Power_of_Networks +Shop_Bot +New_Order_of_Business_Organizations +Relational_Goods +Next_Billion_Net +Public_Knowledge_Project +Chris_Cook_on_Property_Protocols +La_Banqueta_se_Respeta/es +Nondominion +Ladder_of_Participation +Occupy_Healthcare +Security_in_a_Box +Directed_Scale-Free_Networks +Basement_Tapes +Emancipatory_Social_Science +Jeffery_Smith_on_the_Dangers_of_Genetically_Modified_Food +CouchSurfing +Zimmermann,_Jeremie +Thrivability_as_a_Critique_of_Sustainability +Moral_Economy +Occupy_Law_Enforcement +Alberto_Cottica_on_Designing_Collective_Intelligence +New_We +Attention_Economies +New_Political_Contract_for_Digital_Democracy +Reconomy +Network_Power_in_Collaborative_Planning +Peer_to_Peer_Camping +Re-Thinking_Property_for_a_Well-Being_Society +Allen_Butcher +E-Participation_Projects_in_Third_Wave_Democracies +Info-Communism +The_Viable_System_Model +Herman_Daly_on_the_Commonwealth_of_Nature +E2C/Brief_Intro_to_E2C +Hawthorne_Effect +Catarina_Mota +Danielle_Allen_on_the_Archeology_of_Internet_Rumours +P2P_Book_Authors_Talking_about_their_Books +Nichole_Pinkard_on_Open_Education_Resources +Tim_Schikora_on_Open_Innovation_Tools +Aggregator2 +Alternative_Internet_Infrastructure +Bernardo_Gutierrez_on_the_Global_Hispanic_P2P_WikiSprint_Initiative +Siegfried_Schroeder +Patricia_Allen_and_Ronald_Wright_on_Permaculture_as_Sustainable_Agriculture +Decomposition +Association_for_Sustainability_and_Democracy +Jellyweek +Extreme_Recruiting +Umair_Haque_on_Constructive_Capitalism +Open_Design_and_Architecture_Initiative +DIY_Culture +Law_of_Limited_Competition +Open-Source_Real_Estate_Development +Dumpster_diving +Robert_Wright_on_the_Evolution_of_Cooperation +Modular_Design +Grey_Commons +Occupy_Wall_Street_Library +Choosing_the_Right_Form_of_Common_Property +Audience_Commodity +Participatory_Noise_Pollution_Monitoring +Descri%C3%A7%C3%A3o_Geral_do_Projeto_de_Pesquisa_Aberta_P2P_Brazil_WikiSprint +OGD1 +Ecoeco_Platform +Organized_Networks +Gaia_Sprocati_on_Microvolunteerism +Archive.org/Audio +Masdar +Open-Source_Political_Campaign +Sampson,_Tony +Critical_Geography +Open_Salaries +Great_Rebalancing +Continuous_Predicate +Food_Sovereignty +Doc_Searls_on_Vendor_Relationships_Management +From_the_Monetary_Production_Economy_to_the_Financial_Production_Economy +Latin_America_Commons_Deep_Dive/Day_1 +Semiotic_Web +David_Karsbol_on_Virtual_Finance +International_Network_of_Crisis_Mappers +Commodify_Inc +Raymond_McCauley_on_the_Ethics_of_Genetic_Testing +DotSub +Living_Building_Movement +Interview_with_Michael_Hardt_on_the_Common +Emergent_gedrag_in_P2P_networking +Reuben_Grinberg_on_the_Legality_of_Bitcoin +Paolo_Podrescu +Public-Community_Partnerships +Rede_Ecol%C3%B3gica_-_BR +Connected_Marketing +Community_Economies_Collective +Homo_Economicus +Michel_Bauwens_on_the_Relation_between_Peer_Production_and_Corporations +World_is_Flat +Community_Energy_Scotland +Money_Commons +European_Crowdfunding_Network +Perspective-Taking +Positive_Free_Riding +Celya_Presentation +Permaneering +Digital_Identity +Shifts_in_Value_Exchange_and_Human_Development +Envisioning_the_Future_of_DIY_Video +Artistic_Activism_During_Long_20th_Century +Meal_Sharing +Free_Riding +IASCP +Extelligence +Supercommons +Support_Circle +Crowdsourced_Design +How_to_Join_an_Ecovillage_or_Intentional_Community +Jamie_Bartlett_and_Niamh_Gallagher_on_Self-Directed_Public_Services +ECC_Deep_Dive_Participants +Living_Democracy +Product +New_Politics_Project +Out_of_Control +Microgiving +Produce +Debunking_Economics +Organizers%27_Collaborative +Roberto_Unger_on_the_False_Dilemma%27s_Regarding_Political_Change +User_Innovation_Theory +Mobile_VoIP +Ross_Mayfield_on_Networked_Democracy +Haptic_Control +Plenty_vs_Scarcity_Paradigm +Self-Directed_Services +Follow_the_Energy_Computing_Grids +Feminism_And_the_Politics_of_the_Commons +Open_Government_Data +Open_Source_Radiation_Monitoring_in_Japan +Citizen_Scientists_Help_Monitor_Radiation_in_Japan +Alternatives_to_Liberal_Individualism_and_Authoritarian_Collectivism +State_of_Free_Culture,_2011 +Politics_of_Cyberconflict +Occupy_Wall_Street_and_the_Peer-to-Peer_Revolution +Igbo_Women%27s_Councils +Open_vs_Closed_Platforms_as_Business_Choice +Norman_Finkelstein_on_Occupy_as_Gandhian_Politics +Feedback_Loops_of_Attention_in_Peer_Production +Armbruster,_Chris +Building_Man_Co-operative +Patrick_Philippe_Meier_on_Crisis_Mapping +Participative_Epistemology +Long_Now_Foundation_seminars +Chase_Madar_on_the_Passion_of_Bradley_Manning_and_WikiLeaks +DRM +Post-Fact_Epistemology +Green_Servicing +Horizontal_Accountablity +Housing_Cooperative +Blessed_Unrest +Commons_Trusts +Kathia_and_Alexander_Laszlo_on_Evolutionary_Leadership_for_Sustainability +Yochai_Benkler_on_Property,_Commons,_and_Cooperative_Human_Systems_Design +Just_Share_It +Easter_Eggs +Change_Crowdfunding_Law +Julia_Group +One_Village_Foundation +Cascadia +Bank_of_Common_Knowledge +Blender +E_Language_Programming +Open_Artist_Linux +Traducciones_Procomun +New_New_Deal +Polly_Higgins_on_Planetary_Rights +Rethinking_Labour_in_an_Age_of_Networks_and_Movements +Regifting +Open_Source_Hardware_Medical_Device_Platform +Transanimism +Army_of_Davids +Architecture_of_Participation +Iroquois_Confederacy +Immaterial_Economics_-_Traditional +Collaborative_Space_Travel_and_Research_Team +Wikitecture +On_the_Preservation_of_Species +Asset_Transfer_Unit +Hyper-empowered_Politics +Barriers_to_Entry +P2P_Carsharing +Market_Commons +Open_Data_Study +Joseph_Stiglitz_on_the_Economic_Foundations_of_Intellectual_Property +Aneesh_Chopra_and_Tim_O%27Reilly_on_Open_Government_Infrastructures +Occupier_Commons +Open_Anthropology_Project +Mods +Modo +Creating_a_Biographical_Entry +On_the_Currency_of_Egalitarian_Justice +Tea_Party_Movement_-_Networked_Aspects +Scred +Certification_Services_for_Identity_Assurance +Commons-Based_Organizational_Forms +Individualidad,_la_Relacionalidad_y_lo_Colectivo_en_la_Era_del_P2P +Hacking_the_Sacred +Music_Recommendation +Distributed_Manufacturing_Collaborative_Platforms +Other_End +Grindhouse_Wetware +Sharing_Food_and_Drink +In_Our_Time +WSF +Internet_is_de_Wilde_Allesverbindende_Zee +Appropriate_Technology +Presentation_for_Future_of_Occupy_Magazine +Leticia_Merino +Word_of_Mouth_Marketing +Cyber_Conflict_and_Global_Politics +Arthur_Brock +Broadband_for_Barefoot_Bankers +Thimbl +Koenig,_Peter +International_Free_and_Open_Source_Software_Foundation +Time-Based_Currencies +Openness_in_Education_should_have_firm_principles +Customer_Anthropology +Vienna_Solidarity_Economy_Congress_2013 +Ecology_and_Commons_Lab +Is_Wikipedia_a_Community_or_Social_Movement +Tahrir_Project +International_Ecocity_Standards +Free_Me +How_Lateral_Power_is_Transforming_Energy,_the_Economy,_and_the_World +Zafirian,_Philippe +Henry_Chesbrough_on_Open_Innovation +Open_Source_Video_Editing_Software +Corporate_Accountability_International +Blogging_America +Do_Not_Track_List +Non-Capitalist_Markets_-_Sylvio_Gesell +Steven_Clift_on_e-activism +Slow_Food +Self_in_Conversation +Socialgraphic_Targeting +David_Swedlow_on_Beyond_Folksonomies +Faith_of_the_Faithless +Thousand_Years_of_Nonlinear_History +Economy_as_a_Service +Uber +Wingham_Rowan_on_Online_Markets_for_Microworking_and_Microvolunteering +Open_Source_Sustainability +Carbon_Trading +LA_RISASTENCIA/es +How_a_Stigmergy_of_Actions_Replaces_Representation_of_Persons +What_We_Need_To_Know +PeerDB +Bren_Smith_on_Restorative_Ocean_Farming +Open_Source_Licensing +Marine_Commons +Personal_Democracy_Forum_2006 +Non-capitalist_Markets_-_Sylvio_Gesell +Open_Automation_Project +Commons_Library_Project +Background_on_the_Revolution_in_Egypt +Jared_Diamond_on_the_Collapse_of_Societies +Stand_Alone_Complex +Open_Bicycle_Computer +Aspiration_Tech +Workgroup_on_a_Solidarity_Socio-Economy +Howkins,_John +Open_Source_Micro-Factory +Social_Problem_Solving +David_Graeber_and_Charles_Eisenstein_on_the_Nature_of_Money +How_Technology_and_the_Open_Source_Movement_Can_Save_Science +Personal_Data_Locker +Minipreneurs_-_Resources +Importance_of_Distributed_Digital_Production +CNC_Milling_Process_Videos +Crowdsourcing_New_Product_Ideas_Under_Consumer_Learning +Reproducible_Research_Standard +Distributed_Problem_Solving +E2C/Nota_breve_para_explicar_E2C +Shadowserver +Externality +Procedural_Reform_Movements +Grid_Parity +Trading_Spaces +Relational_Data +Digital_Cities +Technological_singularity +Pirate_Philosophy +Change_the_World_Without_Taking_Power +Beyond_the_PDF_2 +Angelo_Vermeulen_on_the_Biomodd_Project +Karen_Stephenson_on_Social_Network_Analysis +Josh_Perfetto_on_Cofactor_Bio +Practical_Guide_to_Sustainable_IT +How_Open_Source_Abundance_Destroys_the_Scarcity_Basis_of_Capitalism +Jussi_Parrika_on_the_History_of_Digital_Virus_Contagions +Land_Sovereignty +Etienne_Wenger%27s_Framework_for_Assessing_Value_in_Communities_of_Practice +Pat_Conaty_on_the_Need_for_Fast_Money_but_Slow_Capital +Nathan_W._Cravens +John_Robb_on_Open_Source_Warfare +Observatorio_Metropolitano +Ethics_and_General_Intellect +Regional_Currencies +Avaaz_Community_Petitions +Social_Music +Beyond_Scarcity +Mass_Customization +Share_Or_Die +Jan_Velterop_on_the_Concept_Web +Mememoir +Power_Law_of_Participation +Boolean_Function +People%E2%80%99s_Grocery +Slow_Media_Manifesto +Tally_Money +Community_Reporter_Social_Licence +People%E2%80%99s_Political_Economy_UK +JP_Rangaswami_on_the_School_of_Everything +Participatory_Budgeting_Software_Census +Vouching +Occupy_Radio +Conscious_Capitalism_Institute +ThoughtMesh +Case_for_Commons_Health_Care +Kuniholm,_John +Self-Organization_in_Greece_at_the_Vio-Me_Occupied_Factory +Shared_Community_Investing +Open_Copyright_License +Janne_Kyttanen_on_Rapid_Manufacturing +David_Denby_on_the_Future_Movies +Bibliography_Commons +Open_Source_Energy_Network +Alternative_Measures_of_Human_Well-Being +Agrarian_Trust +OpenCoin +Talis_Semantic_Web_Podcasts +Collaborative_Economy_in_France +RAND_Standard +Social_Entrepreneurs +AirJaldi_Summit_2006 +Four_Future_Scenarios_for_the_Global_System +Open_Source_Electronics +From_Nations_to_Networks +George_Church +Will_All_Software_go_Open_Source +Social_Entrepreneurship +Linking_Open_Data +Toward_a_New_Multilateralism_of_the_Global_Commons +Weak_Links +Net_Gains +European_Union_Copyright_Directive +K%C3%BCcklich,_Julian +Footprinted +Russell_Brand_on_our_Failing_or_Incomplete_Democracy +Arbeits_Gruppe_Commons_Piraten_Partei_Deutschland +Curriki +Molly_Myerson_on_Local_Food_Mapping +Emerging_Church +FreeBSD_Project_-_Governance +Scientific_Democracy +Open_Source_Genome_Sequencer +Ethan_Zuckerman_on_the_Dangers_of_Homophily +Detroit_Digital_Justice_Coalition +Solar_Leasing_Financial_Model +Casual_Games +Code +Dominant_Assurance_Contract +Towards_a_Legal_Framework_for_the_Commons +ILiad +Etree +Open_New_Zealand +Bruce_Sterling%27s_Update_on_%22Shaping_Things%22 +Lifestreaming +-_Skype +Open_Source_Biohacking +Affective_Labor +Occupy_Economics +IOSA +User-generated_Content_Panel +Logical_NNOR +Nonprofit_Commons_in_Second_Life +Open_Modular_Hardware +How_to_Thrive_Online +Autonomy-respecting_Help +Open_Election_Data_Project +Critique_of_Social_Media +Stop_Watching_Us_Campaign +Governance_Framework_for_the_Energy_Commons +Ayah_Bdeir +Richard_Wilkinson_and_Kate_Pickett_on_the_Relation_between_Well-Being_and_Inequality +Introducing_OSGeo +A_survey_of_peer-to-peer_content_distribution_technologies +Zyprexa +Citations_on_Open_and_Shared_Design_and_Open_and_Distributed_Manufacturing +Open_Source_Cars +Land_Value_Taxation +On_The_Commons +Linux_Foundation_Explains_How_Linux_Is_Built +Credit_Union_Movement +More_Perfect +Evaluating_Work_in_the_Israeli_Kibbutz +OpenBTS +What_Are_Firms_For +Documentation_on_the_ECC2013_Infrastructure_Stream +Coolmeia +Peer_Instruction +Planet_Boundaries +Jose_Luis_Vivero_Pol +Ofono +Peer_to_Peer_Finance_Mechanisms_to_Support_Renewable_Energy_Growth +Single_User_Innovator +Winning_by_Sharing +Geo_Microformat +Ministry_of_Digital_Infrastructure_NL +Promise_Theory +Sherry_Turkle_on_Relational_Artefacts +Wireless_Anarchy +Making_an_Open_Collaborative_Design_System +Web_s%C3%A9mantique +Future_of_Rural_Energy_in_Europe +Sofa_Web +Authoritarian_Neoliberalism +Commons-based_Peer_Production_and_Education +City_Sense +Self-Service_in_the_Internet_Age +Ivan_Illich +Harrison_Owen_on_Leadership_in_a_Self-Organizing_World +Data_Divide +Dale_Carrico_on_Technoprogressive_Politics +Woodland_Permaculture_Guides +E2C/Curriculum_Design/Existing_Courses +Balkan_Computer_Congress +Sustainable_Capitalism +Novel_Research_Institute +Arianna_Huffington_on_Citizen_Journalism +Neumann,_Juergen +From_the_Crisis_of_Capitalism_to_the_Emergence_of_Peer_to_Peer_Political_Ecologies +Identity_Rights_Management +Crisis_and_the_Emergence_of_Communal_Experiments_in_Greece +Mitch_Altman_on_the_Maker_Movement_Philosophy +Virtual_Worlds +Mapping_the_Solidarity_Economy +Clay_Shirky_on_Social_Networks_and_Politics +Paul_and_Sarah_Edwards_on_Relocalization_the_Economy +Instance +Occupy_Wiki +Marshall_Kirkpatrick_on_FriendFeed_and_other_RSS_Developments_in_2008 +Stock_Photography +Occupy_Wall_Street_Protest_Locations +Property_Left +Ateneo_Izar_Beltz/es +Gene_Wikis +Micropower_Council_-_UK +Modular_Company,_Open_Capital,_Venture_Communism +Show_Us_a_Better_Way +Utopian_Imperative_in_the_Age_of_Catastrophe +Opsound +Open_Venture_Movement +Second_Life_Free_Content_Web_Search_Controversy +Pace_and_Proliferation_of_Biological_Technologies +Distributed_Generation_Systems +Self-Managed_Social_Centers_in_Italy +Crowd-Management +Chris_Watkins +State_of_the_Art_of_Complementary_Currencies +Collaboratory +Sprout +Federated_Wiki +Mizzima_TV +Peer_to_Peer_Exchanges +TimeBanks_USA +How-To_and_Tutorial_Pages_for_More_Advanced_Users +Leigh_Blackall_on_Assessment_in_Open_Access_Courses +Mitch_Joel_on_Online_Identity_Management +Collaborative_Principles +History_of_Stamp_Scrip +Innovation_and_Production +Anti-DCMA +Web_of_Trust +Open_Knowledge +3DN_Community_Investment_Enterprises +Targeted_Currencies_Network +Open_Source_Digital_Voting_Foundation +MicroLearning +Borders_in_Cyberspace +Lisa_Williams_on_Placeblogging +Mark_Pesce_on_the_Digital_Media_Revolution +Humblefacture +Open_Source_Democratic_Project_Management +Steve_Best_on_Animal_Liberation_as_a_Marker_of_Moral_Progress +Sole_sufficient_operator +Democracy_Project +Virtual_Communication,_Collaboration_and_Conflict +Honest_Beef +Semantic_Web_Science_Association +Authoriterrorism +GNOME_Foundation_-_Governance +Wendy_Seltzer_on_Open_Law +Indian_Forest_Rights_Act +Depression_Scrip +Case_Studies_in_Web_Art_and_Design +An_Xiao_Mina_on_Internet_Street_Art_and_Social_Change_in_China +Neo-Traditional_Communities +Digital_Rights_Groups_in_the_UK +P2P_Politics +Inclusive_Wealth_-_Metric +Tavern +Four_Degrees_of_Sharing +Sharing_Energy +INASP +Ana_M%C3%A9ndez_de_And%C3%A9s +La_Maria_Guanaca/es +Aurora_Mixer +Reciprocal_Food_Sharing +Wireless_Networks_as_Techno-social_Models +Reruralizing_the_World +Hugues_de_Jouvenel_and_Anne-Laure_Brun_Buisson_on_the_Collaborative_Economy_for_Regional_Development +You_Cut +Hyperlocal +Final_Report_on_the_Knowledge_Stream_of_the_Economics_and_the_Commons_Conference +Advogado_on_the_Mechanics_of_Reputation +Organic_Internet +Ten_Principles_for_an_Ethical_Blogger_Approach_For_Marketers +Salim_Ismail_on_Structured_Blogging +Matt_Mason_on_the_Pirate%27s_Dilemma +Exhaust_Data +Chicago_Plan_for_Monetary_Reform +Appendix:_About_Money_(Details) +Cooperative_Firms_as_a_New_Mode_of_Production +Protest_and_Organization_in_the_Alternative_Globalization_Era +Hard_Self-Replication +Viral_Communicators +User-Generated_Ecology +Free_Software_as_Commons +License_Proliferation +La_Pinya +Mark_Pesce_on_the_Promises_and_Pitfalls_of_a_Sharing_Society +CatGen +My_Second_Life +OnClassical +Open_Source_Cloud_Storage +Raul_Zelik +Colega_Legal +Fan-based_Peer_Production +Lawrence_Liang +Cognitive_Surplus +Ruth_Potts_on_the_New_Materialism +Ethan_Zuckerman_on_the_Geekcorps +George_Siemens_on_Connectivism +Listia +Mindful_Maps_Presents_Collaborative_Consumption +Neocommercialization +Fisheries_Trust +Functioning_of_a_Free_Software +Developments_in_Solidarity_Economy_in_Asia +Home_Manufacturing +Social_Transit_System +Geospatial_Standards +Canadian_Case_Study_on_the_Co-Construction_of_Public_Policy_for_the_Social_Economy +Shareabouts +Entreprise_2.0 +Reconfiguring_Networks_to_Build_a_Political_Alternative +Distributed_Surveillance_Network +Near_Future_Design +P2PF_in_Wikipedia +Thomas_Vander_Wal_on_Granular_Social_Networks +Farah_Lenser +SAML +Supernode_P2P_System +Ren_Reynolds_on_Play_and_Governance_in_Virtual_Worlds +Tim_Hubbard_on_Open_Access_to_Medicines +Toby_Hemenway%27s_Introduction_on_Permaculture +Peer_to_Peer_Finance_Mechanisms_to_Support_Renewable_Energy_growth +Training_for_Transition +Guy_Aitchison_and_Matt_Hall_on_New_Social_Movements_and_the_Political_Theories_of_Chantal_Mouffe +Spiritual_Activism +Robin_Temple +Synthetic_Biology_Software_Suite +International_Organization_for_a_Participatory_Society +Future_of_Higher_Education +Scarcity-Mind +FABMoney +Yihong_Ding_on_the_Potential_of_the_Semantic_Web +TenFour_Audio_and_Video_Podcasting_Channel +Transception +Open_Hardware_Organizations +Smart_Taxes_Network +GitHub_and_Occupy +Green_Computing +Standard_Mark-up_Languages +Rank-Based_Management +Power_To_The_Edge +Trent_Schroyer +Dramatic_Rise_of_P2P_Communications_within_the_Emancipatory_Movements +Communal_State +Law_Underground +Design_Break +Conditions_for_Synergy_Between_the_Economy_and_the_Sphere_of_Non-Market_information_Exchanges +Restoration_of_the_Guild_System +%CE%97_%CE%91%CE%BD%CF%84%CE%AF%CF%83%CF%84%CE%B1%CF%83%CE%B7_%CE%B5%CE%AF%CE%BD%CE%B1%CE%B9_%CE%A0%CE%B1%CF%81%CE%AC%CE%B4%CE%BF%CF%83%CE%B7 +School_for_Wellbeing_Studies_and_Research +Folly_of_Technological_Solutionism +Humberto_Maturana_on_Peer_Relationality +Personal_P2P +FLIRT_Model_of_Crowdsourcing +Semantic_Web_in_6_minutes +Wikerview +Occupy_Handbook +Distributed_Proofreaders +Dispatches_from_the_Socialstructed_World +They_Work_For_You +Three_Pillars_of_Open_Government +Posting_and_Publishing_Feeds +Open_Beacon +Al_Gore_on_the_Internet_and_Democracy +Open_Source_Photography +Reputation_-_Portability +Bios +Commons_as_a_Model_for_Art +Teemu_Mikkonen_on_the_Kosovo_War_Internal_Conflict_on_Wikipedia +Towards_P2P_Ecosystems_of_Small_Manufacturers +YouTube_and_the_Emergence_of_Homecasting +Status.Net +Digital_Altruism +Wireless_Sensor_Networks +Open_Networks +Open_Earth +Guidelines_for_Network_Neutrality +Protege +Predator_State +Revival_of_Worker-Owned_Co-Ops +Olsrd +Solidarity_NYC_Short_Films +Social_Destabilization_and_Transition +Open_Source_Dome_Designs +Habbo_Hotel +Wind_Works_Archive +Institut_Pares +Open_Source_Hardware_as_a_Competitive_Advantage_for_Companies_like_Sparkfun_Electronics +Network_Sociality +On_the_Internet_Nobody_Knows_You_Are_a_Dog_-_Cartoon +Free_Logos +BarterBee +Jack_Lowen_on_Community_Battle_Stories +Welcome_to_the_Blogosphere_-_PBS +Vers_une_civilisation_de_pairs +Object-oriented_Democracy +Drew_Endy_on_Programming_DNA +Social_Media_Monitoring +Transition_Town_Network +Regenerating_the_Human_Right_to_a_Clean_and_Healthy_Environment_in_the_Commons_Renaissance +Read-Write_Culture +Clay_Shirky_on_Self-organized_Online_Cause_Groups +Total_Growth_of_Open_Source +Network_Neutrality +Orphan_Diseases +P2P_en_menselijk_geluk +Open_100_Competition +Social_Operating_Systems +21st_Century_Governance_as_a_Complex_Adaptive_System +Policy_Options_for_the_Ubiquitous_Internet_Society +Internet-Assisted_Activism +Who_Owns_Fair_Trade +Open_Farm_Tech +Introducing_the_Postcapitalist_Ecoindustrial_Calafou_Hacker_Monastery_and_Community_in_Barcelona +Active_Distribution_Networks +Participatory_Market_Society +Preferential_Attachment +Social_Team +GNOME_Foundation_-_Business_Model +ContactCon_List_of_Participants +Paolo_Gerbaudo_Presents_Tweets_and_the_Streets +Bernard_Lietaer_on_Reinventing_the_Financial_System +Rights_of_Nature +Body_Without_Organs +Spirit_Level +Community-Owned_Wind_Power_Projects +Bio_Mapping +Hypostatic_abstraction +End-makers +Adam_Greenfield_on_Ubiquitous_Computing +Place_de_la_Democratie +GNU_Linux_Matters +Herman_Verkerk_on_Complete_Fabrication +Philanthropic_Crowdfunding +Cory_Doctorow_on_the_Right_Pricing_for_eBooks +Economic_Impacts_from_Investments_in_Broadband +CandyFab_Project +Video_Intermediaries_for_Professionals +The_Economics_of_Open_Content_Symposium +Replication_Machinery +Promoting_and_Assessing_Value_Creation_in_Networks +Economic_Circle_Cooperative_-_Switzerland +Worker_Cooperative +Johan_Pouwelse_on_4th_Generation_Peer-to-Peer_Technology +Reinventing_Fire +Inca_Class_System +Osiris +P2P_Foundation_Resource_Collections +Stuart_Geiger_on_Bot_Politics_and_the_Negotiation_of_Code_in_Wikipedia +Open_Source_Biological_Art +Revolutionary_or_Less_Than_Revolutionary_Recognition +Free_Digital_Textbook_Initiative_of_the_State_of_California +Futures_of_Power,_wiki%2B_project +P2P_Research_Center_-_Chiang_Mai +Redes_Comunit%C3%A1rias_-_BR +Postmaterial_Values +%5CMobile_Phones_and_Development +Debtocracy +4.3._Evolutionary_Conceptions_of_Power_and_Hierarchy +Micropayment +Cox,_Geoff +City_Domain_Names +Beth_Noveck_on_Open-Sourcing_Government +Direct_vs_Indirect_Domination +Bridging_the_Digital_Divides +Labor_as_a_Common_Pool_Resource +Homecasting +Fair_Tracing +U.N._Parliamentary_Assembly +Commons_Course +Social_Graph_API +Bernard_Lietaer_on_Human_Wealth +Altroconsumo +Fab_Labs_-_Business_Models +Gabriella_Levine +From_Open_Source_to_Open_Sourcing_Digital_Medical_Devices +PIPRA +EventsML +Pathways_to_Collective_Leadership_in_Public_Sector_Entities +Tribal_Chieftainship +Towards_a_Federation_of_DIY_Communities +Cornelius_Castoriadis_on_Direct_Democracy_in_Ancient_Greece +What_Now_Podcasts +Union_Solidarity_International +Money_and_Liberation +Tiffiniy_Cheng_and_Holmes_Wilson_on_the_Second_Annual_Open_Video_Conference +Digital_Horizons_of_Intellectual_Property +Sten_Linnander +Participative_Web_Policy_Foresight_OECD_Canada +Collaborative_Lifestyles +Peer-to-Peer_Lending_and_Trust_in_the_Netherlands +Squaring_the_Net +Podcasts_and_Interviews_on_Teaching_and_Learning_in_a_Networked_World +Steven_Hammond_on_the_Patients_Like_Me_%22Geolocalization%22_Experience +How_Sharing_in_the_Digital_Age_Improves_the_Way_We_Work_and_Live +Extreme_Citizen_Science +Stingy_Scholar_Guide_to_Podcasts_and_Webcasts +Jeff_Jarvis_on_Privacy_in_the_Time_of_Facebook +Emancipatory_Potential_of_Filesharing_in_North_Korea +Third_Enclosure +Ludic_Artifacts +International_Symposium_on_Local_E-Democracy +P2P_Philosophy_and_Spirituality +Ross_Dawson_on_Facebook_in_the_Entreprise +Carolyn_Baker_on_the_Demise_of_Heroic_Consciousness +Fanning,_Shawn +E2C/Criterios_descriptivos_y_significativos_respecto_a_experiencia_de_commons +Socially_Conscious_Investing_into_Solar_Energy_Projects +Open_Source_Watershed +Co-Intelligence_Institute +Brazil_P2P_WikiSprint +Carrico,_Dale +Libre_Software_Meeting +Netroots_Panel_on_Technology_and_Democracy +Open_Platforms +J._Orlin_Grabbe_on_the_Hawala_Islamic_Payment_System +SFLC_Guide_to_Legal_Issues_and_GPL_Compliance +Dirk_Helbing_on_the_Emergence_of_Homo_Socialis_and_Its_Implications +Ewan_McIntosh_on_New_Media_Literacy +Equiveillance +Participatory_Vision_of_the_Future_of_Religion +Peak_Oil +Epistemology_of_Peer_Production +Social_Innovation +Selling_Free_Software_is_OK +Value_Networks +Extended_Environments_Markup_Language +No_Art_Ecology_without_Social_Ecology +Solidarity_Networks_Transforming_Globalisation +Centripetal_Web +Charlene_Li_on_Post-Hierarchical_Management +Net_Balance_Foundation +Consumer-Led_Product_Design +Production_and_Governance_in_Hackerspaces +A_revolution_in_the_makingGR +Participatory_Politics +Think_Thank +Do_We_Need_Money +Danijela_Dolenec +CodeYard +Wireless_Battle_of_the_Mesh +Thomas_Malone_on_the_Emergence_of_Technologies_for_Collective_Intelligence +Hacker_Foundation +Banks_of_Piety +Restart_Project +Oceania +Michael_Narberhaus +Clay_Shirky_on_the_Age_of_the_Amateur +It%E2%80%99s_A_Shareable_Life +Private_Torrent_Communities +Guerilla_Gardening_for_Participatory_Democracy +Transculture +Open_Source_Hardware_Small_Wind_Turbines +Horizontal_Innovation_Networks_By_and_For_Users +Netention +Rosa_Luxemburg_Foundation_2013_Activities_on_the_Commons +Digital_Era_Governance +Complementary_Currencies_in_Japan +Street_as_Platform +Parpolity +Twibright_Labs +Finding_the_Next_Billion_Internet_Users +Skipso +Commons-based_Solutions +Richard_Douthwaite_on_Debt-Based_Money +Revolution_Earth_Occupy_Online +Mark_Bauerlein_on_How_Digital_Media_can_Generate_Learning_Deficits +Co-Evolutionary_Cycle +Jay_Geeseman_on_Monetizing_the_Metaverse +Resource_Description_Framework +Attention_Standards +ALabs +Paul_Downey_on_Pay_It_Forward_Altruistic_3D_Printing +Peer_Group +Local_Food_Revolution +Science_of_Collaboratories +How_the_Crowd_Can_Teach +Impact_Reporting_and_Investment_Standards +Sustainable_Restaurants_Ratings +Nature_Digital_Workshop +Massive_Change_Radio_Active +Creative_Barcode +Cosmopool +Intellectual_Property_Rights_and_Innovation_in_the_Human_Genome_Project +Demos +Localism +Technogenesis +Home_Rule_Telephony_Movement +Short_History_of_Progress +Pharmaceutical_Commons +Three_Commons +Hartmut_Rosa_on_the_Politics_of_Speed_and_How_Social_Acceleration_Causes_Democratic_Alienation +Is_Twitter_an_Echo_Chamber_or_Public_Sphere +Commodify_Us +Midas_Fallacy +On_Conflict_and_Consensus +Shallows +Jon_Matonis_on_the_Disruptive_Austrian_Economics_of_Bitcoin +Community_Choice_Energy +Collaborative_Virtual_Environment +Rainhard_Pr%C3%BCgl_on_Toolkits_and_Communities +Manifesto_for_Homeland_Earth +Robert_Fuller_on_the_Dignitarian_Society +Co-Cycle +Open_versus_Closed_Standards +Peer_Governance_-_Free-form_Authority_Models +Open_Barter +4chan +Governance +Open_Governance_Index +Institute_for_Research_and_Debate_on_Governance +Video_Creation_and_Editing +Continuous_Partial_Attention +Moore%E2%80%99s_Cloud_Business_Principles +HOurworld +Fabrication_Laboratory +Libre-Mesh +Pierre_Johnson +David_Bollier +Edupunks_Guide_to_a_DIY_Credential +Logical_conjunction +VSM_Guide +Peer-to-Peer_Reputation_System +Eben_Moglen_on_an_Internet_Legal_Framework +Prosperity_without_Growth +Pioneering_the_Centre_for_Alternative_Technology_in_the_UK +What_is_Collective_Intelligence +Spiritual_Imperative +Would_you_like_a_P2P_lecture_in_your_neighbourhood%3F +Autonomous_Cartography +Decentralized_Tuscan_Villages +David_MacKay_on_Sustainable_Living +Global_Open_Data_for_Agriculture_and_Nutrition +Environmental_Fiscal_Reform +Hackers_Without_Borders +U-Cubed +Property_as_a_Social_Relation +Social_Music_Sites +11_Structural_Problems_of_the_Current_World_System +Open_Assessment +Alternative_Banking_Working_Group_-_OWS +Patent-Free_Zones +Madison_Collaborative_Legislation_Platform +Public_Private_Property +Mobile_Phones_and_the_Karachi_Barbers +Final_Report_of_the_W3C_Social_Web_Incubator_Group +Permaneering_Design_Principles +Interview_with_Michael_Gurstein_on_Open_Data +Impact_of_Mobile_Phones_on_Kerala_Fishing_Communities +Gig_Economy +P2P_Rental_and_Sharing_Marketplaces +Communities_of_Practice +Civic_Membership_vs_Market_Ownership +Occupy_Facilitation_Groups +Apple%E2%80%99s_App_Store_as_a_Closed_Development_Platform +TLDR_Legal +Case_against_Nuclear_Energy_and_for_Renewables +Eben_Moglen_on_the_Commons_as_an_Actor_in_Transforming_the_Global_Political_Economy +Cultura_Libre_Teguz/es +Community_Development_Corporations +Raranga_Tangata +Film_Forge +Integral_Movements +Police_UK +Meaningful_Livelihoods +Antonio_Lafuente +Customer_Ecosystems +P2P_Standardization_processes_differ_from_the_traditional_media_standard_process +Open_Source_Haggadah +Corporate_Complaint_Sites +CleanCrowd +Cause_Commune +Science_as_an_Open_Enterprise +Demurrage +Water_Commons,_Water_Citizenship_and_Water_Security +Hacker_Learning +How_the_Power_of_Diversity_Creates_Better_Groups_and_Societies +Social_Organization_of_the_Computer_Underworld +Yochai_Benkler_on_Autonomy,_Control_in_Cultural_Experience +Blog_Trend_of_the_Day_Archive_2012 +Blog_Trend_of_the_Day_Archive_2013 +Physical_Social_Network_Transport_Layer +Feudal_Origins_of_Capitalism +P2P_Common_Resource_Distribution_Pool +Synergestic_Selection +Community_Assets +E.F._Schumacher_and_the_Reinvention_of_the_Local_Economy +Open_Access_Policies_in_Europe +Jubilee_Economics +Tom_Atlee_on_Evolutionary_Activism +Responsible_Territories +Landsharing +Cosma_Orsi_interviews_Michel_Bauwens_on_P2P_Politics +Direct_Territories +Fabbaloo +GTA04 +Voluntary_Hierarchy +P2P_Video_Distribution +Interdependence_Movement +Y_Combinator +Shared_Value +Carl_Wilson_on_the_Effect_of_MP3s_on_Music_Making_and_Appreciation +Justin_Pickard_on_3D_Printing +Nomadic_City_Infrastructures +European_Centre_for_Digital_Communication +Freedom_Conditions_for_Cloud_Computing +Universal_Software_Radio_Peripheral +How_Interest-Free_Banking_Works +Tools_to_Enable_a_Flexible_Factory +Lee_Bryant_on_Collective_Intelligence_inside_the_Enterprise +Occupy_France +Interoperability_for_P2P_Networks +Sahlins,_Marshall +Using_Corporate_Governance_Law_to_Benefit_All_Stakeholders +Markets_-_Equity_Aspects +Thomas_Auer_on_Open_Source_Design +Fruit_Tree_Projects +Michele_Boldrin_on_Intellectual_Property +Bucket%E2%80%99s_Revolution +OECD_Policy_Guidance_for_Digital_Content +Virtue_of_Forgetting_in_the_Digital_Age +LilyPad +Richard_Esplin_on_Open_Source_Cooperative_Models_for_Software_and_Technology +Intercontinental_Network_for_the_Promotion_of_Social_Solidarity_Economy +Sustainability_of_Open_Collaborative_Communities +Permablitz +T-slot +Evolution_of_Domination +Virtual_Objects_Economy +Convergence_Culture +RedesignMe +David_Gurteen_on_Incentivizing_Sharing_in_Knowledge_Management +Wikibooks +P2P_Currency +Participatory_Media_Literacy +Can_peer_production_make_washing_machines%3F +WiFi +Tutoring_and_Homework_Help +Real_Internet_Access_and_Impact_Criteria +Astroturfing +Democracia_En_Red_/_Partido_de_la_Red/es +Open_Wrt +Althing +George_Siemens_and_Michael_Wesch_About_Future_Learning +Wikihow_-_Governance +Regulation_of_Virtual_Goods_and_Artificial_Scarcity +Ecopyleft +How_to_Set_Up_a_Hacker_Space +Peer_to_Peer_Energy_Production_and_the_Social_Conflicts_in_the_Era_of_Green_Development +Movement_of_the_Unified_Voice +Statistical_Studies_of_Peer_Production +Kevin_Carson_on_the_Epistemology_of_the_State +Move_Commons +Alex_Munslow_on_Running_Open_Space +Subversive_Improvement +Institute_for_Applied_Autonomy +All_in_Common_as_New_Slogan_for_International_Labour +Economic_Models_Around_Free_Educational_Materials +FairShare_Speculative_Donations +From_Economism_to_Earth_Systems_Science +Open_WetWare +Open_Knowledge_and_the_Public_Interest +LibreVPN/es +Promises_and_Perils_on_the_Road_to_an_Omnipotent_Global_Intelligence +Open_Co-Op_Project +Visualizing_a_Plenitude_Economy +Hart,_Michael +Self-Provision_Model_for_Online_Community_Platforms +Occupy_The_Movie +Tom_Atlee_on_the_New_Sharing_Economy +Sugata_Mitra_on_Outdoctrinating_Children_through_Self_Organization_in_Education +MetavidWiki +Efoof +Technologies_of_Humility +Collaborative_Consumption_-_Business_Models +Serbian-Language +Hacker_Ethics_and_Christian_Vision +Urban_Gardens_as_Commons +Interview_met_Elly_Plooij-van_Gorsel_lid_van_het_Europees_Parlement +Claudia_L%27Amoreaux_on_Using_Second_Life_Goes_for_School +Triarchy +Zimbabwe +Clay_Shirky_on_Social_Networks_and_the_Obama_Campaign +Peach +Trust_Agents +Open_Watch +Augmented_Conferences +Co-individuation_of_Minds,_Bodies,_Social_Organizations_and_Techn%C3%A8 +Meu_Rio +P2P_Networks +Information_Card_Foundation +Microlearning +Art_of_Resilience +Community-Supported_Forestry +Center_for_Biological_Diversity +Jared_Smith_on_the_Presence_and_Future_of_Open_Source_Telephony +Robert_Kaye_on_the_MusicBrainz_Project +Commoning_of_Patterns_and_the_Patterns_of_Commoning +Open_Couchsurfing +Bill_of_Rights_for_Communities +Bike_Kitchens +Global_License +Open_Source_Velomobile_Development_Project +Commons-Based_Peer_Production_and_Artistic_Expression_in_Greece +Open_Parts_Store +Software_Freedom_Conservancy +Post-Scarcity +Global_Commons_Trust +Credit_Commons +Dissociate_Economics_of_Property +Doc_Searls_on_the_Intention_Economy +Unissance +Dulce_Revoluci%C3%83%C2%B3n/es +Bike-Sharing_World_Map +Relational-Cultural_Theory +Sharing_Reward_Points +Real-Time_Ridesharing +European_Union_of_Telecottage_Associations +Final_Report_on_the_Economics_and_the_Commons_Conference +Collaborative_Investment_Research +Indigenous_De-Colonial_Movement_in_Latin_America +Object-Oriented_Organization +Open_Contracting +Margrit_Kennedy_on_the_Interest_Free_Economy +Directory_of_Online_Budget_Simulators_and_Games +Duncan_Watts +Tim_Carmody_on_Blooks +Cognitive_Policy +Knowledge_Politics +Rodriguez_Giralt,_Israel +Maurizio_Lazzarato_on_the_Bioeconomy_and_the_Crisis_of_Cognitive_Capitalism +Open_Software_Services +Henry_George +Managing_the_Boundary_of_an_Open_Project +Plants,_Property,_and_the_Promise_of_Open_Source_Biology +Horizontalism_and_Grassroots_Democracy_in_the_Americas +Transparent_Accountable_Datamining_Initiative +A_Universal_Commons_Code_of_Ethics +New_Economics_Institute +Mellis,_David +School_of_Cooperative_Individualism +Open_Standards_Primer +Ning +Social_Currency +Open_Knowledge_Conference_2013 +Open_Source_LCA_Tools +Radio_Frequency_Identification_-_RFID +Industrial_Internet_Consortium +Indymedia_-_Governance +On_the_Relation_Between_P2P_Systems_and_Wisdom-Generating_Forums +Digital_Dossier +CloudTripper +Mode_Of_Production +Mark_Buchanan_on_Social_Physics +Fr%C3%A9d%C3%A9ric_Sultan +Peer_Preview +Catalan_Integrated_Cooperative +Communal_Privacy_Theory +Fan_Activism +WiFi_Geographies:_When_Code_Meets_Place +Group_Theory_and_Group_Skills +Digital_Security_and_Privacy_for_Human_Rights_Defenders +Chris_Taggart_on_Global_Open_Data_for_Democracy +Getting_Started_With_Self_Learning +Sapna_Kumar_on_GPLv3 +Informal_Citizen_Networks_in_Greece +Antje_Toennis +Object-oriented_Sociality +Circular_Entertainment +Emergence,_Self-organization_and_Diversity_in_the_KDE_Community +Coursecasting +Commons +Tactical_Philanthropy_Advisors +De_politieke_economie_van_peer-productie +Netroots_Rising +Mode_Of_Production_Shootout +Policy_Design +Beyond_Care_Childcare_Cooperative +OKF_Working_Group_on_Open_Data_in_Linguistics +General_Public_Trust +VoxForge +Leaf_Labs +System_of_Production +Neighbornode +Cryptohierarchies_and_Self-organization_in_Open_Source +Lendstats +Co-governance +Burst_Economy +O_Monte_%C3%A9_Noso/es +SEEMesh +Empty_Homes_JV_Solution +Open_Source_Commuter_Car +Transfinanicial_Economics +Wiki_Patterns +Andrew_Hessel_on_Synthetic_Biology +Fundamental_Human_Needs +Metaverse_Economies +Yochai_Benkler_on_Successful_Internet_Rights_Activism +Ad_Hoc_Temporary_Social_Networks +OpenKollab +Netherlands +Transmedia_Properties_Panel +Custom_Fabrication +Open_Source_Underwater_Robots +P2P_University +Radio_DNS +Private_Goods +Wikivote +YouTube_Reader +Mira_Luna_on_the_Solidarity_Economy +Fair_Trade +Open_Internet +Free_Labour_-_Exploitation +Permission_Culture +MakerHaus +Fair_Use_in_the_U.S.._Economy +Range_Networks +Jon_Phillips_on_Building_Large_Scale_%22Open%22_Communities_around_Multiple_Media +Illth +ECC2013/Organizations +Meshnets +Fritjof_Capra +Applewood_Permaculture_Institute +Uitwisselplatform +Hypermimesis +Hacker_Practice +Massive_Open_Online_Course_in_Change_in_Education,_Learning,_and_Technology +Beta_Business_Models_in_the_New_World +Poland +Folksonomies +Http://www.p2pfounation.net/Improvised_Voice_Instrumental_Music +Andreas_Weber +Philippe_Aigrain_on_a_New_Policy_for_the_Information_Age +Zerosum_vs._Non-Zerosum_Games +Crowdsourcing_in_Urban_Planning +Presentation_of_the_JAK_Bank_in_Sweden +Noam_Chomsky_on_Passionate_Production +Brazilian_Internet_Steering_Committee +Emancipatory_Tradition_in_Futures_Studies +Toward_a_Political_Economy_of_Agricultural_Cooperation +Local_Open_Data_Census +Internet_as_a_Super-Commons +Energy_Finance +Neutral_Point_of_View +Innovative_Open_Business_Models_for_the_Transfers_of_Climate-Friendly_Technologies +Economic_Nature_of_Cultural_Enterprise_and_Creativity_as_the_Generation_of_Innovation +Open_Access_Networks +Centre_for_Civil_Society +Networked_Micro_Agencies +Freedom_Box_Foundation +Best_of_Instructables +Radio_Your_Way +Internet_Interdisciplinary_Institute +Youtube_widget_test +Scarcity-Mind_vs_Eco-Mind +Participatory_Wisdom +Tom_Murphy_on_the_Energy_Trap +Hugues_de_Jouvenel_and_Rachel_Botsman_on_the_Collaborative_Economy_for_Regional_Development +Accidental_Influential +Glossary_for_Beginners_in_FOSS_Art +Gunar_Penikis_on_the_XMP_Extensible_Metadata_Platform +DiSo_Project +Collaborative_Lab +Digitalization_as_Total_Automation +Open_Data_and_the_Commons +Fansubbing +Scarcity +Caetano,_Miguel +E-Participation +Table_of_Contents_(Nutshell) +User-Centric_Digital_Identity +Dmytri_Kleiner_and_Jacob_Appelbaum_on_Capitalism_and_Surveillance_on_the_Internet +Distributed_Management_Task_Force +Robb,_John +HackLab_de_Barracas +Random_Hacks_of_Kindness +Demand_Side_of_Abundance +Cityleft +CAPTCHA +DirectFB +One_Aim +Stigmergic_Collaboration +Right_Communitarianism +Open_Standards_are_Important +Anticipatory_Democracy +Incipient_Intellectual_Property +Open_Source_Visual_Hardware +Open_Left +Open_Design_Club +Open_Malaysia +Compound_Interest +Jorge_Ferrer%27s_Participatory_Vision_of_Spirituality +State-Civil_Society_Dialogue_to_Develop_Public_Policies_for_the_Social_and_Solidarity_Economy +Information_Feudalism +PPDL +Open_Publication_License +User-Created_Content +Complex_Adaptive_System +Steven_Roberts_on_Open_Science_Action +How_Commons_Grassroots_Activists_Are_Shaping_the_Future +Corporatized +Compendium_for_the_Civic_Economy +Identity_in_the_Age_of_Cloud_Computing +Liam_Kirschner_on_Brilliant_Swarms_for_Personal_Transformation_and_Political_Activism +Basarab_Nicolescu_on_Transdisciplinarity +Open_Design_Movement +Leslie_Chan +Seneca_Effect +Open_Data_Cities_in_the_UK +Nigel_Shadbolt +CNC_Machine_Tools +Social_Struggle_in_Urban_Spaces +Pattern_Cohorts +P2P_Foundation_Knowledge_Commons +List_of_ContactCon_Related_Projects +Life_Without_Money +Forum_on_Cultural_Industries_Counter-Summit +Night_Brights +Metropolitan_Agriculture +Governance_Types +Technology_Tetrad +Fansourcing +Cybersafety_2005_conference +NonProfit_Commons +LinkedUp +ODOSOS +Human_Network +How_to_Design_and_Manufacture_an_Open_Product +Patrick_Lichty_on_Communal_Media +Deep_Democracy +FLO_Solutions_Working_Group +Daphne_Koller_on_Online_Education +Economia_Politica_della_Produzione_tra_Pari +Social_Innovation_Conversations +Fair_Dealing +Freevo +MetaCollab +Aperspectivism +Free_Game_Arts +Worker_Cooperative_Development_Models +Visual_Understanding_Environment +Rethinking_Money +How_Personal_Fabrication_Will_Change_Manufacturing_and_the_Economy +Open_Pattern +Open_Gazer +Digital_Badges +Street_Medics +Caring_Relationship_Tickets +Recomposition_des_ordres_sociaux_et_organisationnels_dans_la_production_collaborative +Robert_Johnson_on_the_Value_of_Common_Resources +Business_Models_for_DIY_Craft +Wikinomics_and_its_Discontents +Money_As_Debt +Higgins_Project +Thinking_Cities +Dialogue +Characterists_of_P2P +Eefoof +AVR_Butterfly_MP3 +Hyper-Communication +Peer_to_Peer_Theory +Topology_of_Covert_Conflict +World_Without_Oil +Anti-Ecocide_Law +Open_Knowledge_Projects_Directory +CoDesign_International_Journal_of_CoCreation_in_Design_and_the_Arts +Shared_Warehouse +Michael_Wesch_on_Rethinking_Education +Fair_Mouse +Spatiotemporal_Dialectic_of_Capitalism +Facilitator%27s_Guide_to_Participatory_Decision-Making +Critical_State_of_the_Planet +Physical_Bookmarking +Balasz_Bodo_on_the_Social_Impact_of_Online_Communities +Community_Currency_Guide +Wojtek_Kalinowski +Recombinant_Architectures +EU_Online_Resource_Efficiency_Platform +Online_Decision-Making_Tools +Cartesian-Newtonian_Paradigm +Rights_and_Equity_in_the_Democratic_Construction_of_Knowledge +Fritjof_Capra_on_the_Systems_View_of_Life +Locative_Cinema +Non-Reciprocal_Exchange +New_Democracy_Foundation +Student_Debt +27UH/es +ScientificCommons +Community_Banking_Partnerships +Synergic_Future +Salingaros,_Nikos +Mash-Ups +Open_Consulting +User-centric +Techno-Ecologies +Media_2.0_Best_Practices +Benefits_of_the_Second_Industrial_Revolution_vs_the_Benefits_of_the_Third_Industrial_Revolution +RAI_Television_Report_on_the_WIR_Bank +Australian_Free_Software_Association +Designing_the_Microbial_Research_Commons +Community_Photo_Collections +Commoners_Global_Network +Improving_the_Dialogue_with_Society_on_Scienctific_Issues +Moixaina +How_Empathy_Can_Reshape_Our_Politics +Cognitive_Computing +Indian_Film_Industry +User_Innovation_Communities +Open_Knowledge_Network +PDX_Radical_Mycology_Collective +Pervasive_Surveillance_and_the_Privatization_of_Peer-to-Peer_Systems +Machine_is_US +Citizens_Movements_as_Third_Power +TinyLightBulbs +Web_Open_Font_Format +Occupy_2.0 +Participatory_Budgeting_and_e-Participatory_Budgeting_Map +ECC2013/Participants/Short_Bios +Pledge_of_personal_commitment +James_Bessen_on_Patents_as_Property +Industrial_Commons +Technevillage +Intrinsic_vs._Extrinsic_Values +Copyright,_Copyleft,_Copygift +Crowdfunding_Revolution +WikiHouse +2.2._Explaining_the_Emergence_of_P2P_technology +Enrique_Dussel_Peters +Jaguar_de_madera_biocontrucci%C3%B3n_y_bicimakinas/es +Sachs,_Wolfgang +Michael_Hart_on_Project_Gutenberg +Manufacturing_Grid +Open_Cola +Unlocking_Value_and_Productivity_Through_Social_Technologies +Urban_Garden_Share +Biosocial_Contract +Clothing_Swap +Sales_2.0 +Machiavellian_Democracy +FLOSS_-_Governance +Software_Licenses_Metamap +Instituto_Nacional_de_Salud_del_MINSAL/es +Distributed_Autonomous_Corporations +Third_System_Associations +Co-Research +Apple-EU_DRM_Case +Is_Demonetization_a_Good_Idea +Transition_Rights +RU_Sirius_on_the_Counterculture_and_the_Tech_Revolution +World_Social_Forum_as_New_Model_of_International_Governance +Democracy_of_Sound +Adam_Arvidsson +Hackerspace_Global_Grid +Human_Genome_Project +Anonymous_Market +P2P_and_Human_Evolution +Open_Source_Spectral_Data +What_Then_Must_We_Do +Relations +3D_Robotics +Higgins_Trust_Framework +Ellen_Brown_on_Reforming_the_Financial_System +Introduction_to_Open_Source_P2P_Exchanges +Playbour +Medical_Insurance_Peer_Plans +Social_Impact_Reporting_Standards +Motivation_in_FOSS_Software_Developers +Worthless +Alliance_Public-Artistes +Can_3D_Printing_Lead_to_Mass_Manufacturing +Equitable_Sharing +Rethinking_the_Future_of_World_Religion +For_a_Democratic_Cosmopolitarian_Movement +Counterproductivity +Jacob_Appelbaum_and_Dmytri_Kleiner_on_the_Surveillance_State_and_its_Network_Effects +Exploring_the_Emergence_of_the_Cyberhero_Archetype +Chumby_HDK_License_Agreement +AX84_Firefly +Long_Emergency +Plastic_Bank +Uniiverse +Knowledge_Society +ClaimID +Dynamic_Coalition_on_Open_Standards +Daniel_Dolan_on_Cults_and_the_Internet +Open_Policy_Making +Juliet_Schor +Journal_of_Participatory_Medicine +Kunlabori_Cooperative_Business_Model +Money_Should_Not_Be_a_Commodity,_but_a_Measure_of_Value +Co-op_Power +EFF_Panel_on_Architecture_Is_Policy +Ethan_Zuckermann_and_Nart_Villeneuve_on_Internet_Security_for_Activists +Makers_(by_Anderson) +Human_Union +Latouche,_Serge +Grid-Blogging +Open_Process_as_the_Organizational_Spirit_of_the_Internet_Model +Integrative_Economic_Ethics +Een_groenere_toekomst_met_peer-to-peer +Interview_with_Lewis_Hyde_on_the_Commons +Tauberer,_Joshua +Own_Cloud +Chto_Delat +Free_Trade +Geoff_Chesshire_on_the_Generosity_Economy +Googlebombing +Institute_of_Network_Cultures +Lani_Guinier_on_Experiments_in_Democracy +Mixed_Ink +Eco-Mind +Chumby +Collaborative_Meeting_Notes_on_Europe_Commons_Deep_Dive_Workshop +Monetary_Repression +Co-Creative_Gardening +Dialectic +Zeroth_Order_Logic +Classism +Name_Space +Who_Controls_the_Internet +Counter-Economy +Qualitative_Growth +Minimal_negation_operator +Stakeholder_Mutual +Autonomism +Tim_Flitcroft +Impersonal_Property +ECC2013/Participants +Place_Hacking +Philips_Sensing_Platforms +Exponential_Growth +Aixada_Sistema_de_gesti%C3%B3n_de_cooperativas_de_consumo/es +How_to_Build_and_Sustain_a_21st_Century_Movement +Self-Determination_Theory +White_Space_Spectrum +NATO_GLobal_Commons_Project +Participatory_Turn_and_Relational_Spirituality +Introduction_to_Voucher-Safe_Digital_P2P_Cash +Scripting_Languages +Marcin_Jakubowski_on_Open_Source_Hardware_Blueprints_for_Civilization +How_Hardware%CA%BCs_Long_Tail_is_Supporting_New_Engineering_and_Design_Communities +Roman_Krznaric_on_Moving_from_the_Age_of_Introspection_to_the_Age_of_Outrospection +Edu-factory +Developing_a_Labor_Media_Strategy +Lockean_Theory_of_Property +Microvolunteerism +Citizen_Science +CrowdCon_2011_Panel_on_Cloud_Labor +Open_Source_Artificial_General_Intelligence_Projects +Cooperative_Community_Fund +Copyright_Masquerade +GNUnet +Transboundary_Commons +Open_Standards_-_Open_Source_-_Open_Innovation +Gasteiz_en_transici%C3%B3n/es +Manuel_Castells_on_Cultures_of_the_Internet +Towards_a_Free_Matter_Economy +Organic_vs_Synthetic_Open_Source_Communities +Primaveraromana +Openwashing +Alex_Haw_on_Open_Source_Design +Foo_Camp +Renaissance +Michail_Galanakis +Participatory_Altruism +TribeSourcing +Allocative_and_Creative_Advantage +Athenian_Democracy +United_Diversity +Open_Field_Production +Chris_Laszlo_on_Radical_Corporate_Transparency_for_Embedded_Sustainability +David_Cameron_on_how_Conservatives_Embrace_Open_Innovation_Concepts +Social_Impact_Reporting_Metrics +Occupy_History +Jillian_York_on_How_the_Internet_Helped_Shape_the_Arab_Spring +Free_Game +Trust_Wrapper +Protei +Long_Tail_of_Manufacturing +GNU_Call +Aaron_Swartz_on_Peer_To_Peer,_Digital_Rights_Management_and_Web_2.0 +Communal_Innovation_Trust +Interview_with_Niaz_Dorry_on_Marine_Diversity_Through_Local_Fisheries_and_Ocean_Commons +Escher_Tsai +Biblioteca_Popular_de_Barracas +Mmodulus +Richard_Poynder_on_Open_and_Free_Developments +McKinsey_Report_on_the_Social_Economy +Biomimetics +Non-Exclusive_Dunbar_Number +Electronic_Frontier_Foundation +Desktop_3D_Printers +Civil_Associations +Gilbert_Simondon_and_the_Hypothesis_of_Cognitive_Capitalism +Michel_Bauwens_on_Open_Business_Models_and_the_Economy_Of_The_Commons +Economics_of_information_productionGR +Biohacking +Ross_Evans_on_World_Bike_and_Xtracycle +Organization_Design_for_Sustainability +New_Cross_Commoners +Wikileaks_And_The_Battle_Over_The_Soul_Of_The_Networked_Fourth_Estate +Bill_Allison_and_Greg_Elin_on_Open_Government_Initiatives +Wael_Ghonim_on_Egypt%E2%80%99s_Revolution +Health_as_a_Commons +User-Driven_Advertizing +Henry_Story_on_Open_Distributed_Social_Networks +Internet_Media_Device_Alliance +Open_Remote +Charles_Wyble +Tele-Ethicality +Community_Broadband_Network +Pat_Mooney +Peer_Production_-_Part_Two +Predistribution +CommunityWikiBank +Intersubjectivity +Open_Source_Biotech +Subscription_Economy +Publishing_Open_Content +User-Generated_Craft +Andrew_McAfee_on_Entreprise_2.0 +Hierarchy_eBook +Dark_Wallet +New_Media_in_Authoritarian_Societies +Wireless_Network_Neutrality +EHealth +Missionary_Church_of_Kopimism +Multigrade_Operator +Anonymous +OER_Commons +Role_of_Open_Methods_in_the_Development_of_the_First_Airplane +Vandana_Shiva_on_the_Future_of_Food_and_Seed +%CE%97_%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CE%A0%CE%B1%CF%81%CE%B1%CE%B3%CF%89%CE%B3%CE%AE_%CF%89%CF%82_%CE%95%CE%BD%CE%B1%CE%BB%CE%BB%CE%B1%CE%BA%CF%84%CE%B9%CE%BA%CE%AE_%CF%83%CF%84%CE%BF%CE%BD_%CE%9A%CE%B1%CF%80%CE%B9%CF%84%CE%B1%CE%BB%CE%B9%CF%83%CE%BC%CF%8C +Open_Trusted_Computing +Microgeneration +Unclasses +Toni_Negri%27s_Swarm +Open_Source_Public_Service +Open_Science_Summit_2010_Update_on_Open_Access_in_Science +Future_of_WIPO_Declaration +Clay_Shirky_Against_Paywalls_in_Journalism_as_a_Public_Good +Street_Seats +Glif +Hacker_Hostels +Alternative_Resource_Allocation_Systems +Marcus_Rediker_on_the_History,_Present_and_Future_of_Radical_Pirates +Trust_Frameworks +Coercion +OSHW_2010_Summit_Panel_on_Open_Hardware_Business_Models +Stefan_Marsiske +Land_Banks +Panel_on_Collaborative_Consumption_Businesses +Peer2Peer_en_social_software +Budapest_Open_Access_Initiative +Dean_Baker_on_the_Inefficiencies_of_the_Current_Drug_Patents_Regime +Semco +Creative_Commons_and_the_Free_Software_Movement +Urban_Homesteaders +P2P_Foundation_Blog_Maintenance +Distributed_Crime_Network +Onine_Community +Dance_of_Change_between_Catalysts_and_Counter-Pressures +Jeffrey_Sachs_on_the_New_Age_of_Mass_Mobilization_for_Global_Problems +IN3 +From_Labour_as_Commodity_to_Labour_as_a_Common +J%C3%BCrgen_Neumann +Primitivism +Wealth_and_the_Commons +P2P_Fridge +T.D.P_Cooperativa_que_apunta_a_la_fabricaci%C3%B3n_y_reparaci%C3%B3n_de_aparatos_para_las_personas_discapacitadas_(bipedestadores,_sillas_de_ruedas,_bastones_para_ciegos,_tr%C3%ADpodes_y_mucho_mas)./es +Strong_Democracy +Global_Energy_Network_Institute +User-Generated_Science +Non-Tragedy_of_the_Commons +Beyond_Privacy +Video_Captioning +Smari_McCarthy_on_the_Fablab_Experience_and_the_Potential_of_Personal_Fabrication +Digital_Consumer%27s_Bill_of_Rights +Why_are_there_so_few_Women_in_Open_Source +Dignitarian_Foundation +Michael_Hardt_and_Antonio_Negri_on_the_Felicitious_Encounter_in_the_Urban_Commons +Radical_Gardening +P2P_Blog_Essay_of_the_Day +Distributed_Economies +Human_Appropriation_of_Nature +Universal_Food_Coverage +Daniel_Pink +Multistakeholder_Voting_for_Companies +Peer_Commentary +Francis_Ayley_on_Designing_Non-Scarcity-Based_Currencies +Promise_of_Regional_Currencies +Social_Trap +Municipal_Agriculture +Synchrony_in_Politics +International_Association_of_Facilitators +Terry_and_Elaine_Freedman_on_Web_2.0_in_the_Classroom +Making_is_Connecting +Mobile_Ad_Hoc_Networks +Vinay_Gupta +Frente_Sindical/es +Spiral_Dynamics +Reconomy_Global_Timebank +Scientific_and_Artistic,_Utopian_and_Critical_Visions_on_Energy +Free_Telephony_Project +Distributed_Knowledge +Computing_and_the_Current_Crisis +Crowdsourced_Scientific_Citation_Network +Local_Currencies +India +Telecomix_News_Agency +History_of_Commons_and_Enclosure +Thomas_Linzey_on_the_Community_Environmental_Legal_Defense_Fund +RepRap +Video_on_the_Transition_Town_Movement +Quality_Management_in_Free_Content +Stickyness_of_Information +Campaigning_Online_for_Labor_and_Winning +Community_Wireless_Networking_as_a_Culture_and_Economics_of_Autonomy +Openness_in_Education +Mapping_the_Open_Spending_Data_Community +Where_Does_Money_Come_From +Franz_Nahrada_on_A_Pattern_Language_for_the_Postindustrial_Society +Difference_between_the_Free_Software_and_Free_Culture_Movement +Federal_Consortium_for_Virtual_Worlds +Kabia/eu +Digital_Dualism +Copass +Mutualized_Mortgages +Agenda_des_Seminaires +Sewing_Cafes +Big_Games +Keynote_Presentations_of_the_Steady_State_Economy_Conference_2010 +Charles_Eisenstein_on_the_Spirituality_of_Money +Alternative_Economies_Resource_Guide +Commemorating_20_Years_of_the_Linux_Operating_System +Dale_Carrico +Connected_Citizens +Successful_Industrial_Products_from_Customer_Ideas +Peer-to-Peer_Insurance +Cyberunions_Podcast +WikiWeps +Social_Return_on_Professions +Onlne_Fan_Cultures_Panel +Souren,_Kasper +Time_Bank +Creative_Communities +Discussion_on_Sensorica%27s_Open_Value_Accounting_for_the_P2P_Value_Research_Project +How_Games_Can_Transform_Learning +Ecotechnic_Future +Manifest_for_the_Recovery_of_Common_Goods_of_Humanity +Airbnb +Eyes_of_the_Milpa +Comparison_of_an_Open_Access_University_Press_with_Traditional_Presses +Memediggers +Ss +Lawrence_Lessig +Franz_Nahrada_on_Videobridging +Association_pour_l%27Economie_Distributive +Journalism_as_a_Model_of_Decentralization +Democratic_Ingroup_Model +French_Anti-Precarity_Movement +Citizen_Relationship_Management +Affinity_Philanthropy +T_Corporation +Information_Justice +CGIAR_Systemwide_Program_on_Collective_Action_and_Property_Rights +Collaborative_Cities +Personal_Economic_Neighborhoods +Energy_and_Equity +Andreas_Antonopoulos_on_the_Power_of_the_Bitcoin_Protocol,_Not_the_Currency +Logic_of_relatives +Gordon_Cook_on_the_Fragility_of_the_Current_Internet +Sophia_Parker_on_Co-Design_for_Service_Innovation +How_Copyright_Makes_Books_and_Music_Disappear_and_the_Public_Domain_Resurrects_Them +David_Brin_on_self-deception,_factionalism,_and_righteous_indignation. +Princeton_Microsoft_Intellectual_Property_Conference +Cerberus +Woody_Tasch_on_the_Slow_Money_Movement +Network_model_of_federation +Free_Software_Movement_versus_Open_Source_Movement +Money_Network_Alliance +Spanish_Bio_of_Michel_Bauwens +Open_Document_Format_Alliance +Green_Money +Text_to_Speech_podcasting_software +Task_Fairness +Free_Sheet_Music +Future_of_the_Alterglobalization_Movement +Bre_Pettis_on_Creating_Hackerspaces +Social_Banking +Commons_Rising +Connected_Learning_Infographic +Diseconomies_of_Scale +P2P_Network_Metrics +Self-Service_Labor_Markets +Linux_-_Desktop +Pekka_Himanen +Clickworker +Ethan_Zuckerman_on_African_web_entrepreneurs +Social_TV +Equaliberty +User-Mode_of_Production +Taiwan +Michel_Bauwens_OWS_London_Tent_University_Teach_In_on_P2P_and_the_Commons +Open_XC +Hackerspaces_and_DIYbio_in_Asia +Common_Pool_Resource +Cory_Doctorow_on_For_the_Win +Tim_Berners-Lee_on_the_Future_of_the_Web +Helping_People_Build_Cooperatives,_Social_Enterprise,_and_Local_Sustainable_Economies +Social_Production_of_Ethics_in_Debian_and_Free_Software_Communities +Scandinavian_Study_Circles +Microstock_Photography +Open_Sustainability_Network +Charles_Eisenstein_on_Re-Envisioning_Money +Michel_Bauwens_on_the_Importance_of_Peer_Money +Sandbox +Neuros_MPEG4_Recorder_2 +DIY_Book_Scanner +Governance_Category_Multimedia +Pareto_Energy +IP_TV +Crowdsourcing_and_Its_Application_in_Marketing_Activities +Customization_of_the_Internet_Economy_-_Dissertation +Web_Development_Timeline +Open_Source_Medical_Journals +Human_Revolution +Michael_Eisen_on_Free_Knowledge_and_Access_to_Information +Sebastian_K%C3%BCpers_on_Distributed_Social_Networking +Every_Block +Mutirao +Mutuo +Minarchism +Rick_Falkvinge_on_How_Pirate_Parties_Are_Organized_As_Swarms +Origins_and_Impacts_of_Swedish_File%C2%ADsharing +Intellectual_Capital +Moral_Molecule +Nesta%27s_Introduction_to_People-Powered_Health +Philippe_Aigrain +Guide_to_Prediction_Markets +Ethnography_of_Direct_Action +Sharing_Map_Amsterdam +OpenGov_Hub +Open_Mesh_Project +Pubchem +Universal_Sustainable_Habitat_Development +Gaming_Freedom +7.1.E._Towards_a_civil_society-based_%E2%80%98Common-ism%E2%80%99%3F +Jost_Pachaly +Centers_for_Consciousness_Research +Argument_Map +Mapa_Ciclovi%C3%A1rio_Unificado_do_Rio_de_Janeiro_-_BR +Prusa_Research +Browser_Wars_Retrospective +Antoine_Fressancourt_on_Implementation_Challenges_for_P2P_Systems_in_Mobile_Network_Environments +Community_Funding_Enterprise +DIY_Food +Mendeley +Open_Gel_Box +Open_Source_Development_Labs +Learning_2.0 +The_Hidden_Connections +Friendly_Societies +Decision-Making_Tools +Open_Secure_Telephony_Network +NTW +Open_Access_Peer_Reviewed_Medical_Journals +What_Is_Open_Data +Portability_Policy +Internet_Work-Around_for_Egypt_and_Others +Theora +Network_for_Sustainable_Financial_Markets +Turner,_Andrew +Tiranny_of_Structurlessness +Public_Spaces +Critique_of_the_Role_of_Free_Labour_and_the_Digital_Economy +Frontiers_Research_Foundation +Alexander_Oey +Free_Learning +Aurea_Social/es +Marcin_Jakubowski_on_the_Open_Source_Economy +Corporate_Organization_-_Bibliography +Civil_Society_Forum +Ahmed_Shihab-Eldin_and_Adel_Iskandar_on_Social_Media_in_Palestine_after_the_Arab_Spring +Digital_Liberation_Network_-_Greece +Paragogy +Open_Grid_Forum +Peter_Linebaugh_on_the_Magna_Carta_as_a_Social_Charter_for_the_Commons +A_for_Anything +Pleger,_Georg +International_Journal_of_the_Commons +Study_of_Commons_Legal_Institutions +Larry_Brilliant_on_Using_the_Internet_against_Pandemics +Topic_Index +Johanna_Meyer-Grohbruegge_on_the_Open_Source_Design_Network +Everyware +Commons-Based_Peer_Production_and_Education +Arduino_and_Open_Source_Design +Open_Source_Air_Quality_Monitor_Kite_Project +Michael_Kirk +Resilience_Economics +Beyond_Information_Abundance +TechShop +Equo +Engagement_et_Action +Non-Market_Co-Creation +Paul_Cienfuegos_on_the_Community_Rights_Movement +Why_We_Need_to_Tackle_Debt_Pushing,_not_Money_Creation +Open_System_Mobilization_Platform +Your_Priorities +Liberties_and_Commons_for_All +Public_Property +P2P-Driven_Decline_in_Transaction_Costs_and_the_Coming_Micro-Ownership_Revolution +Renewable_Energy_Exporting_Local_Communities +Mission_Enterprise_Model +Open_Source_Mesh +Open_source_manufacturing +Nova_Spivack_on_Web_3.0_and_the_Semantic_Web +Saracen +Willinsky,_John +Industrial_Intelligence_Systems +Code_Academy +John_Wilbanks_on_Libraries_and_the_Commons +Table_of_Contents +POOC +Free_Software +Logic_of_Occupation,_the_Logic_of_Usury,_and_the_Logic_of_the_Gift +Cliodynamics +Chilacayote_collective/es +Open_Meeting_Protocol +Internet_Party +Michael_Zimmer_on_the_Privacy_and_Safety_of_Social_Networking_Sites +RTMark +Natural_Economic_Order +Consensus_Polling +Solove,_Daniel +Polyamory +Nepal +What_Is_Free_Culture +K12_Open_Source_Wiki +Creative_Commons_-_Critiques +Pragmatic_Maxim +Pirate_Party_of_the_United_States +Free_Sheet_Music_License +Vimeo_Widget_Test +Attribution +Blogs_in_Plain_English +Rural_Commons +Lorea/es +Comunes.org +Purpose_of_Money +P2P_Urbanism +Gabriella_Coleman_on_Digital_Book_Piracy +Mentor_Mob +Global_Solution_Networks +Beyond_State_Capitalism:_The_Commons_Economy_in_our_Lifetimes +John_Perry_Barlow_on_Defending_Free_Speech_and_Creation_against_IP +What_are_the_Commons +P2P_Foundation_RSS_Feeds +Nils_Aguilar +Education_Arcade +Chaovavanich,_Korakot +Open_Source_Hardware_and_Design_Alliance +Elinor_Ostrom_on_the_Polycentric_Governance_of_Complex_Economic_Systems +DuraSpace +Diplomat +International_Summit_of_Community_Wireless_Networks +New_Localism +P2P_Ethnography +Carie_Windham_on_the_Net_Generation_Perspective +Cipherspace +Civil_Happiness +Rootstrikers +Intervista_con_Michel_Bauwens_-_Il_Potere_della_Rete +Interview_with_Andrew_Gryf_Paterson_by_Rasa_Smite +Information_Accessibility_Initiative +Open_Source_Books +Shared_Work_Policies +Meta-Markets +Open_Source_Telemedicine +Redes_de_Pares_-_Argentina +Indie_Web_Movement +P2P_Ridesharing +DHT +Neterate +-_Webcasting +Daniel_Kevles_on_Patenting_Life_and_Its_Parts +Solidarity_Cooperatives +Rey,_Francois +Debt_Obligations_and_Hierarchy +Reserva_Cultural/pt +Academic_Commons +Invisible_Internet_Project +Fluid_Intelligence +Open_Cooperative +Human_Ecosystem +Greening_through_IT +Free_Manufacturing +Utopia +John_Hagel_on_the_New_Economy_of_Work_in_a_Web_Squared_World +Robin_Hunicke_on_User-Generated_Content_in_Games +Effort-sharing_Systems +Open_Design_Alliance +Andreas_Antonopoulos_on_the_Importance_of_the_Bitcoin_Protocol +Alternative_Credentialing_Providers +Stefanie_Wuschitz_about_International_Hacker_Spaces_as_DIY_Culture +Auto-nomistic +Barefoot_into_Cyberspace +Euro_Coop +Architecture_of_Resistance +Justseeds_Artists_Cooperative +Post-Media_Subjectivation +Local_Solutions_For_A_Global_Disorder +Open_Source_Economy +Ecological_Marxism +Fourth_Order_Cybernetics +Pragmatic_Critique_of_the_Peer_Production_License +Short_Bauwens_Bio +Enterprise_Mashup_Markup_Language +Community_Currency_Implementation_Framework +Soma_Parthasarathy +Feral_Trade_Cafe +European_Alternatives +Citizen%27s_Income_Trust +Common_Content +Chuang,_Tyng-Ruey +Currency_Reform_-_Books +ICANN +Scaling-up_Deliberation_to_the_National_Level +Open_Source_and_Economic_Development +Drupal_Cooperatives +Panera_Bread_Pay-What-You-Can_Store +Serverless_Publishing +Anti-Capitalist_Commons +Charter_for_Innovation,_Creativity_and_Access_to_Knowledge +Douglas_Rushkoff_on_the_New_Gift_Economy +Open_Access_Books +Radio_maken_via_P2P +Tertiary_Culture +Lobbyocracy +Anti_Cinema_Collective +Commoners +Thorsten_Schilling +RoomWare_Project +Project_for_Public_Spaces +Stop_DRM +Open_Source_Weapons +Alternative_Economy +Entropy_Economics +Coworking +Freenet +%CE%9F%CE%BC%CF%8C%CF%84%CE%B9%CE%BC%CE%B7_%CE%A0%CE%BF%CE%BB%CE%B5%CE%BF%CE%B4%CE%BF%CE%BC%CE%AF%CE%B1 +Digital_IPS +Creatives_for_Network_Neutrality +Richard_Stallman_on_GNU +P2P_Foundation_Wiki_LST +Privacy_OS +Suma_Qama%C3%B1a +Croquet_Project +Steven_Johnson_on_Peer_Progressives +Beyond_Money +Reverse_Bounty +Agricultural_Land_Trust +Semantic_Relevance +Why_Doesn%27t_Microfinance_Work +Mobile_Ad-Hoc_Network_MANET +From_the_Old_to_the_New_Digggers +Internet_0 +Community_Sourced_Capital +Litecoin +Collaborative_Development_of_Open_Content +Transparency_as_a_Competitive_Advantage_for_Alternative_Currencies +Local_Web_2.0 +International_Society_of_Biourbanism +Social_Object +Association_for_Progressive_Communications +Yochai_Benkler_on_the_Science_and_Practice_of_Cooperation +MBA_in_Participatory_Economics +Public_Creation_of_Money +Introduction_to_the_PsyCommons +Gar_Alperovitz_and_David_Schweickart_on_the_Economic_Democracy +Ganglia +IndieKarma +Test +Service_Networking +How_Do_We_Build_a_Global_Social_Contract +Freaknet +Why_the_Many_Are_Smarter_than_the_Few_and_Why_It_Matters +Tellus_Institute +Open_Source_Scooter +Philosophical_Platform_for_Democracy_2.0 +Open_Source_PC +Commons_Podcast_Series +Open_Source_Ampersands +Human_Rentals +Stock +Open_Source_Distributed_Capabilities +Commons-Oriented_Economists_Draft_Version +Agro_Biogenics +Unitization +Bottom-up_Broadband +European_Internet_Exchange_Association +Free_Networks_Movement +Rhetoric_in_the_Peer-to-Peer_Debates +Economics_of_Attention +40_Fires_Foundation +Open_Source_Metaverse_Project +Co-Creativity_of_Labor +Low-Carbon_Communities_and_the_Currencies_of_Change +Open_E-Gov +Clicktivism +Invocational_Media +TVoIP +Transparent_Accounting +Free_Markets_and_Free_Use_Commons +SecondLife +Co-Production_of_Public_Services +Egalitarianism +Behrokh_Khoshnevis_on_Automated_Construction_through_Contour_Crafting +Defense_Distributed +Food_Sovereignty_Movement +Network_is_the_Vanguard +Tragedy_of_Public_Lands +Market_Distortion +David_Isenberg +Indigenia_House-Free_Commons +Process_Network_Building_Theory +Dan_Gillmor_on_Mainstream_Media_vs_Citizen_Journalism_Synergy +P2PU +From_Designing_Products_to_Thinking_New_Systems +Open_Business +Bob_McCandless_on_the_Future_of_Collaboration +Fred_Stutzman_on_Understanding_Facebook +Torrentocracy +Free_as_in_Freedom +Amarok +Rationale_for_Monetary_Reform +Tess_Mayal_on_the_Open_Reproducibility_of_Science_in_the_Science_Exchange_Project +Moglen,_Eben +Sindominio +Peer_Governance_-_Owner-centric_Authority_Model +Community_Micro-Financing_for_Solar_Projects +Question_Authority +Free_API +Food_Commons_for_All_on_Haultain_Boulevard +Europe_Commons_Deep_Dive +Demoradicalism +Resource_Form_of_the_Commons +Natural_Rights +Organizational_Capabilities_of_the_Wikipedia_Peer_Production_Effort +Dunbar_Valley +Peter_Brown_on_Building_a_Whole_Earth_Economy +Blog_Carnivals +Open_Leaks +Advancing_the_Concept_of_Public_Goods +Symposium_on_the_Wealth_of_Networks +Chris_Sprigman_on_Copyright_in_Fashion_Design +Peer_Group_Education +Global_Net_Society_Institute +Solar_Energy +Cloud_Operating_System +Filling_the_Funnel_vs._Climbing_the_Ladder_-_Peer-based_Innovation +Invoked_Computing +Tit_for_Tat +Peter_Suber_on_the_Open_Access_Movement +Livecoding +Citizen_Cyberscience_Centre +Libraries_as_Commons +Rob_Hopkins +Michel_Nielsn_and_Michael_Vassar_on_the_Epistemology_for_Online_Science +Vi-Fi +Citizens_Jury +Jabber_Software_Foundation +Alex_Steffen_on_the_Sharing_Economy +Cybernetic_Communism +Hackers_4_Peace +Olimpi(c)Leaks_-_BR +Mike_Liebhold_on_the_Geospatial_Web_and_Mobile_Service_Ecologies +Ed_Felten_on_the_Failed_Protection_of_Digital_Content +Jim_Zemlin_about_the_Linux_Foundation_and_the_Future_of_the_Linux_Platform +Ann_Lam_and_Elan_Ohayon_on_Achieving_Autonomous_Sustainable_Research_in_Neuroscience +WebID_Incubator_Group +Library_of_Congress_Digital_Future_discussions +Open-Source_Decentralized_Personal_Semantic_Web_Database_Communicator +Social_Routing +Open_Source_Solar +Pangaia +ManyLabs +Survey_of_Commons-Based_Peer_Produciton_of_Physical_Goods +Freedombox +How_Children_Act_and_Interact_on_the_Internet +Attention_Economy_Primer +International_Music_Score_Library_Project +Gino_Cocchiaro +Feedosphere +Geoff_Davies_on_Eight_Elementary_Errors_of_Neoliberal_Economics +Direct_Public_Offering +Free-Form_Authority_Models +Oekonux +Dave_Boyle_on_Co-operative_and_Democratic_Business_Organisations +Moleque_de_Ideias +Tit_for_tat +Yerzies +Freedom_of_Expression +Cooperative_Universities +La_econom%C3%ADa_pol%C3%ADtica_de_la_Producci%C3%B3n_entre_iguales +Digital_Democracy +John_Wilbanks_on_the_Health_Commons +Open_Book_Management +Kite-Building_User_Innovation_Communities +Makerspaces +Personal_Learning_Landscape +Transparency_Hacker +ICommons +Asia_Commons_2006 +Peer-to-Peer_Urbanism +Open_Cobalt +Transnational_Scholarship +Dimitris_Achlioptas_on_Seed_Control +Socialism_of_the_21st_Century +Multipeer_Connectivity_Framework +Community_Commons_Working_Group +Great_Localization +Gavin_Andresen_and_Amir_Taak_Interviewed_on_the_Fundamentals_of_Bitcoin +Permaculture_Directory +Transition_Research_Network +Cyber_Warfare_Peacekeeping +DBpedia +SynEARTH_Network +Reputation_Capital_Aggregated_Metric +Spithari_Community +Ezio_Manzini_on_the_Role_of_Design_in_Social_Innovation_for_Sustainability +Evolution +Libre_Commons_Res_Communes_Licence +Open_Lessons +3D_Printing,_Intellectual_Property,_and_the_Fight_Over_the_Next_Great_Disruptive_Technology +J%C3%BCrgen_Moltmann_on_the_Judeo-Christian_Roots_of_Utopian_Literature +Greenlagirl_on_Fair_Trade +Integrity_at_Scale +Post-Academic_Science +Code_is_Speech +Global_Resource_Bank +Low_Cost_Laptop_Discussion +Morten_Hansen_on_Collaboration +Manual_of_Dialectical_Thought_Forms +From_Weak_Ties_to_Organized_Networks +Community_Supported_Kitchens +Towards_Peer-to-Peer_Alternatives +Open_Code +OpenGovernment +Rebecca_Moore_on_Mapping_Tools_for_Indigenous_People +Business_of_Sharing_in_the_UK +Open_Source_Building_Alliance_Operation +Order_of_Things_vs_Order_of_Relations +FLOSS_as_Commons +Douglas_Rushkoff_on_the_Present_Shock_Caused_by_Media +OSLOOM +Open_Ministry +Poverty +Angela_Espinosa +Critical_Labour_Studies +Locative_Media_and_the_City +David_Orban_and_Roberto_Ostinelli_on_Open_Spime +Lightbulb_Conspiracy +Participatory_Design_of_Cities +The_Future_of_Radio +Post-2008_Social_Movements_and_Their_Use_of_P2P_Media +Unlike_Minds +People%27s_Organizations +Social_Finance +Meinrath,_Sascha +Moving_from_Binary_to_Ternary_Thinking +Rootless_Cosmopolitans +ECC2013/Money_Stream/Documentation +Un-Convention +Concordia_Project +Open_Document_Architecture +Occuprint +Dynamics_of_inquiry +Economics_and_the_Commons_Conference +Romotive +Story_of_Co-Design +Phronesis +Open_Educational_Resources_Handbook_for_Educators +Michael_Goodchild_on_Volunteer_Mapping%27s_Role_in_Geospatial_Science +Socially_Responsible_Trading_Networks +Citizens_Dividend +Demosphere_Project +Working_Group_on_Urban_Home-Steader_Rights +Municipal_Microgrids +Digital_Online_Asset_Trading_Systems +Silvia_Casale +Nothing_Sacred +Personal_Network_Effect +Italy +Creed_of_Sharing +Dove_Evolution +Peer_Production_-_Funding +Enlivenment +MediaCoder +Geeks_Without_Bounds +Yansa_Foundation +Left_Communitarianism +Cyberhippietotalism +Integrated_Closed_Loop_Production_Systems +Stallman%27s_Jiujitsu +The_Net_-_The_Unabomber_LSD_and_the_Internet +Ewan_McIntosh_about_How_Social_Media_Helps_Create_Open_Education +Art_Leaks +John_Lewis_Partnership +Drahos,_Peter +How_Far_Will_User-Generated_Content_Go +Material_Transfer_Agreements +Otoridades +Peer_to_Peer_and_the_Four_Pillars_of_Democracy +The_Economics_of_Open_Text +Industrial_Internet +Creative_Commons_4.0 +What_Technology_Wants +Chris_Dede_on_Neomillenial_Learning_Styles +Equitable_Access_Licensing +Contextualizing_Boycotts_and_Buycotts +Control_in_Open_Source_Software_Development +Open_Simsim +Alternative_Development +Enric_Senabre_Hidalgo +Open_Source_Buddhism +Conversation +Placemaking +Online_Ads_for_Nonprofits_-_Matt_Turk_of_WordOfBlog +Asymmetrical_Internet_Access +Reputation-Based_Governance +Open_Materials +ISP_Watch +Complementary_Currency +Associazione_Imprese_Software_Libero_-_Italy +Open_Source_Induction_Furnace_Project +Tummelvision +Noncommercial +Tribes,_Institutions,_Markets,_Networks +Knitting_Guns_Press +Center_of_Adventure_Economics +Networked_Nonprofit +Camilo_Ramada_on_Complementary_Currency_from_Brazil_and_Uruguay +Blogging +Intellectual_Property_and_the_Cultures_of_BitTorrent_Communities +Energy_Performance_Energy_Services +John_C._M%C3%A9daille +What_about_the_openness_of_web_services%3F +Thomas_Heydt-Benjamin +Desdelamina.net/ca +Red_de_Evoluci%C3%B3n_Colaborativa +Open_Source_Cinema +Ugo_Mattei_on_the_Commons_Movement_in_Italy +Wikipedia_Self-Governance_in_Action +Threadless_-_Business_Model +Open_Screen_Project +Socialization_of_Innovation +Julie_Cohen_on_Configuring_the_Networked_Self +Free_Our_Bills_Campaign_-_UK +Freeters +How_your_Open_Source_Project_can_Survive_Poisonous_People +Open_Source_Robotic_Arm +Peter_Levine +Henry_Jenkins_on_YouTube_as_a_Communalized,_not_Personalized,_Medium +Tumblr +Open_Channel_Software +Paul_Light_on_the_Search_for_Social_Entrepreneurship +Technoprogressivism +Overaccumulation_of_Capital +Skills_of_Xanadu +Diego_Gonz%C3%A1lez +Boaventura_de_Sousa_Santos +Medicine_2.0 +Layne_Hartsell_Interviews_Michel_Bauwens_on_P2P_Economics +Great_Reset +Open_Source_for_Artisans +P2P_Seminars +Carbon_Pool +Community_Self_Help +Digital_Korea +Etienne_Hayem +Self-Assembling_Dynamic_Networks +P2P_Mode_of_Foreign_Relations +Stephen_Collins_on_the_Use_of_Social_Tools_in_Business +Open_Publishing_Business_Models +Bioprospecting +Is_Web_Advertizing_Doomed +Co-op_Models_for_the_Production_of_Health_and_Social_Services +School_of_Webcraft +Impact_Investing +Free_Computer +Fostering_Creativity_at_Google +Connectivist_Learning_Theory_-_Siemens +Re-Inventing_Social_Emancipation +Alternative_Economies_Subgroup_of_OWS_Arts_and_Labor +General_Assembly_Guide +Horizon_Digital_Economy_Research_Institute +Introduction_to_Global_Commons +P2P_Microfinance +Time_Banking_Video +Violet_Blue_on_Open_Source_Sex +Reflections_on_the_Transition_Model_to_21st_Century_Participatory_Democracy +Imindi +Osprey +Altruism +VOICED +Politics_of_Platforms +GNU_Affero_GPL +Invisible_Hook +Xinchejian_Hackerspace_Shanghai +Indigenous_Peoples_and_the_Commons +B_Entrepreneurs +Organic_Organizations +Clayton_Christensen_on_Open_Source_and_Innovation_in_Business +Margot_Kaminski_on_the_Capture_of_International_Intellectual_Property_Law_through_the_U.S._Trade_Regime +Social_Payment_Services +Future_of_Food +Anti-Commons +Wild_Politics +99%25_Occupy_Everywhere +Cybernetic_Planning +Future_Visions_for_2030_of_the_Economy,_Sustainability_and_Employment +Political_Economy_of_Waste +Tim_O%27Reilly_Talks_Web_2.0 +Success_Factors_for_Peer_Sharing_Systems +Ben_Dyson_on_Positive_Monetary_Reform +Hackmeeting/es +Boolean-valued_function +Anti-Power +Pier_Paolo_Fanesi_on_the_Experience_in_Common_Governance_Through_Participatory_Budgetting_in_Grottammare_Municipality +Reputation_Management_Services +Open_Food_Data_Standards +Ethical_Accounting +Castella +Jeremy_Rifkin_on_the_Science_of_Empathy +Joi_Ito_on_Commons-based_Licenses_and_Games +Open_Source_Breath_Analyzer +Social_Picks +Creative_Commons_Music_Collaboration_Project +Shanzhai_Electric_Cars +Supply_Shock +Networked_and_Participatory_Art +Agile_Approach +Attention_Profiling_Mark-up_Language +Tempered_Radicals +Lawrence_Lessig_Podcasts_on_Free_Culture +Intensional_Networks +Partcipatory_Socialism +Crowdsourcing_-_Discussion +Nigerian_Film_Industry +MOOC_Aggregator +Flexible_Specialization +History_of_Economy +Peer_collaboration_as_a_context_for_mutual_inspiration +Bill_Witherspoon_on_Open_Book_Management +Rio_Youth_Mapping_Project +The_Long_Tail:_nu_al_een_klassieker +Open_Source_Agency +Co-Working_Infrastructure +CAD_for_Personal_Manufacturing +Monnik +Open-Universal_Digital_Currency_Project +ECC_Blog_Preparation +P2P_Currency_Exchange +Op_naar_de_peer-to-peer-maatschappij +Social_Peripheral_Vision +Open_Electronic_Medical_Record_System +Web_Standards +Burns_H_Weston +Physical_Production +Living_Economies +Derrick_de_Kerckhove_on_Citizen_Innovation +Jesse_Dylan_on_the_Science_Commons +Agriculturalism_in_China +Dean_Baker_on_Open_Source_Software_Development_Funding +Brunet,_Karla +Suggestions_for_P2P_Governance_Techniques +Personal_Data_Stores +Bernardo_Huberman_on_Prediction_Markets +IMeem +Soul_of_Capitalism +Situated_Software +Make_Human +Jason_Lanier_on_You_Are_Not_a_Gadget +Open_Definitions +Sensorica +Why_Greater_Equality_Makes_Societies_Stronger +Closed_Standard +P2P_Blog_Project_of_the_Day +From_Science_to_Emancipation +Biofaction +Condominium +Mutual_Credit_Clearing_System +Extraordinary_Communities_That_Arise_in_Disaster +Marcin_Jakubowsk_on_Building_the_World%27s_First_Replicable_Open_Source_Global_Village +Easyswap +Freicoin +Studies_on_the_Information_Economy +Military_Open_Source +Information_Commons_Movement +Thomas_Malone_on_Decentralizing_Corporations +TrustLet +Principles_of_Inherent_Interdependence +Open_Source_Social_Networking +Warnow,_John +Matthew_Taylor_Explores_the_Meaning_of_21st_Century_Enlightenment +Garden_World +New_World_of_Indigenous_Resistance +SIPHS +Bernard_Lietaer_on_Currencies_for_Cooperation +Immanuel_Wallerstein_of_Going_Beyond_the_State_as_Unit_of_Analysis +Remaking_Scarcity +Guide_to_the_Free_Online_Scholarship_Movement +Concept_of_the_Commons_and_the_Convergence_of_the_Social_Movements +New_Junction_City +Social_Movements_as_Constituent_Power +Open_QRS +Co-Counselling +Gaia_Host_Collective +Anchor_Dashboard +Media-Centered_Critical_Masses_in_China +Transparency_Delusion +Peer-to-Peer_Signal-Sharing_Communities +%CE%A0%CF%81%CE%AC%CF%84%CF%84%CE%B5%CE%B9%CE%BD,_%CE%A3%CF%87%CE%AD%CE%B4%CE%B9%CE%BF_%CE%BA%CE%B1%CE%B9_%CE%9F%CF%85%CF%84%CE%BF%CF%80%CE%AF%CE%B1 +Social_Customer_Service +Building_Trust_in_P2P_Marketplaces +Research_Crowdsourcing +Open_Source_Geospatial_Foundation +Danah_Boyd_on_how_Teens_Interact_Online +Edmund_J._Walsh_and_Andrew_J._Tibbetts_on_the_Benefits_and_Risks_of_Open_Source_Software +SensorML +Commons_in_Intentional_Communities_-_2013 +SkyPilot_Networks +Free-Goodness_Model +BUG +Blau_Exchange +Work_On_The_Way +Equity_Sharing +Global_Collective_Contract +Society_for_Learning_Analytics_Research +Internet2 +Intellectual_Property_Rights_on_Nature +Coliving +Activity_Standards +Jun_Borras +Zero-profit_condition +NeighborGoods +Red_Hat +Social_Capital_Gateway +Michael_Ellick_on_Occupy_the_Church +Vacation_Credit_Labor_System +Post-Growth_Institute +Open_Source_Crowdsourcing_Platform +Mentoring_Worldwide +Sources_of_Commons_Law +Open_Textbooks +Open_Services +Lawrence_Liang_Against_Intellectual_Property +Unequal_Participation_in_and_through_Participatory_Systems +Resource_Based_Economy +Peer_Production_and_the_Networked_Economy +Bricolabs +Permalancing +Replicator +Credibles +Legal_Eats +Systemic_Fiscal_Reform_Group +Open_Village_Construction_Set +Global_Climate_Trust +Bookcrossings +MusicBrainz +Legacy_Infrastructure +Critical_Commons +Swarm_Leadership +Neutral_Money +Patent_Absurdity +Transformational_Festivals +Nikolay_Georgiev +Civic_Sponsor +Commons_based +Life_and_Death_of_Democracy +Unbundling +Ecology_of_Socialism +Post-DRM_Open_Content_Business_Models +Open_SMS_Hubbing +Tape_It_Off_the_Internet +Wielki_Sojusz_na_Rzecz_Wsp%C3%B3lnej_W%C5%82asno%C5%9Bci +Polytopia +Mutualism +Social_Retailing +Dan_Gillmor_on_Grassroots_Journalism +Joseph_Reagle_on_How_Wikipedia_Works +Katharina_Hellwig +Open_Moto_X +Scholz,_Trebor +Introduction_to_Citizen_Intelligence_Sources_and_Methods +Master_List_of_Europe_Commons_Deep_Dive_Participant_Bios +Personal_Media_Aggregators +Friend_to_Friend_Political_Campaign +Wikirriculum +Open_for_Business_Forum +Do-it-yourself_Electronic_Fuel_Injection +Propuesta_sobre_los_pasos_siguientes_para_las_redes_emergentes_del_Procom%C3%BAn_y_el_P2P +Open_Co-op +Citations_on_Social_Change +University_of_the_Commons +Fellow_Traveler_on_Open_Transactions_and_the_Moneychanger_Project +Market_Socialism_or_Socialization_of_the_Market +World_University +Disseminary +Locative_Media +Gift_Certificate_Financing +Free_Maps +Connotea +Microgrids +City_as_a_grid +Bernardo_Guti%C3%A9rrez +Co-P2P +Doc_Searls +Bitcoin +Global_Mind +Peter_Koenig +Dark_Social_Web +Center_for_Digital_Democracy +Participatory_Photography +Undersight +Community_Wealth-building +Juliet_Schor_Talks_on_the_Plenitude_of_the_Commons_Economy_at_Occupy_Wall_Street +Resilience_Hierarchy +Open_Classroom +Social_Exchange_Theory +Social_Cognitive_Theory +Spokes_Council +Identity_Standards +Clickworkers +BioWeatherMap_Initiative +How_Capitalism_is_Turning_the_Internet_Away_from_Democracy +Social_Credit_System +How_Technology_is_Influencing_Various_Knowledge_Domains +Re-Localisation +Our_Goods +Open-Source_Lab:_How_to_Build_Your_Own_Hardware_and_Reduce_Research_Costs +Open_Source_Aluminium +Accumulating_Savings_and_Credit_Association +Sabbath_Economics_Collaborative +Share_Ratio +Open_Networked_Learning_Model +Social_Education_Networks +Al_Cano_Santana_on_Guifi%27s_Autonomous_Internet_Infrastructure_in_Catalonia +Benepreneur +Replication +Telecoupling +Open_E_Land +Music_for_Occupy +Human_Dignity +Chris_Paine_on_Who_Killed_the_Electronic_Car +Danah_Boyd_on_the_Public_and_Private_Aspects_of_Social_Network_Sites +Cut_and_Sew_Construction +Tom_Steinberg_on_MySociety_and_Transparency_in_Government +Job_Design_in_FOSS +SchoolForge +LibreSociety.org_Manifesto +Think_Like_a_Commoner +Distributed_Computing_Industry_Association +P2P_Toolkit +John_Gray_on_Bitcoin%27s_Cyber_Freedom +Urbal +Iconomics +Open_International_Development +Consensus_Democracy +Inequality +Essays/Multi-Dimensional_Science.html +Marica_Electronic_Social_Currency +Education_3.0 +Pyramidal_Intelligence +Notemesh +1.1_Le_projet_GNU_et_le_Logiciel_Libre_(en_bref) +State_of_the_Art_in_Crowdsourcing +MyBandStock +Swedish-Language +Agora99 +Map_of_the_Financial_System +Andrew_Paterson +Cellular_Economic_Theory +Blockchain +Homegrown_Revolution +Portable_Identity +FLOAT_Beijing +TIMN +Public_Policies_and_the_Solidarity_Economy +Crowdsourced_Laws +Alternative_Economics_Alternative_Societies +Community_Protocols +PodCamp +Healthy_Materials_Initiative +Essays_about_Pirate_Politics +J%C3%BCrgen_Neuman_about_Community_Wireless_Activism_in_Berlin +Solar_Power_Purchase_Agreements +Video_3.0 +Pay_As_You_Live +Xvid +Open_Collaborative_Research_Proposals +Jean-Claude_Guedon +Art_and_the_Commons +Patent_Thicket +Community_Supported_Forestry +Labor-Management_Co-Determination_System_-_Germany +David_Grewal_on_Network_Power +%C3%9Cberlegungen_zu_Entwicklungspolitik_und_Commons +Mechanical_MOOC +Perspective-taking +Free_Hardware_Pioneers +Center_for_Complex_Network_Research_Lab +Sovereign_Computing +Occupy_Portland +Food_Traceability_Software +Prestigieus_plan_Sellaband.com_is_als_paardenrace_voor_bands +New_Community_Networks +4.2.B._Equality,_Hierarchy,_Freedom +Slow_Community +P2P_Encyclopedia_Book_Project +Marco_Civil +Web_Resource +Bernard_Stiegler +Social_Media_Standards +Hubert_Dreyfus_on_Virtual_Embodiment_and_Myths_of_Meaning_in_Second_Life +The_Paradox_of_Choice_-_Why_More_is_Less +Prosperous_Way_Down +Communisation +Socialism_After_Hayek +Salvaggio,_Salvino +Openess_and_Entreprise_2.0 +Alex_Steffen_on_Distributed_Disaster_Relief_and_P2P_Energy_Networks +Tissue_Economies +Agile_Development +Miquel_Ballester_Salva_on_Fairphones_with_Open_Supply_Chains +UK_Uncut +Ross_Dawson_on_the_Web_2.0_Revolution_and_Business +Gene_Patents_and_Collaborative_Licensing_Models +Digital_Majority +Power_of_Six_Degrees_of_Separation +Auber,_Olivier +City,_Anonymity,_and_P2P_Relationality +Political_Economy_of_Fairness +Anima_Mundi +Jubilee_Shares +Robert_Metcalfe_on_the_Video_Internet_as_the_Next_Big_Thing +Julia_Gechter +Foraging +Democracy +Downey,_Greg +Heidi_Campbell_on_Religion_in_a_Networked_Society +Daniel_Goleman_and_Clay_Shirky_on_Socially_Intelligent_Computing +Neuros_Technology +Tea_Party_Movement +Jason_Kottke_on_Curating_the_Web +Minnowboard +Solidarity_Supporter +Anti-Resume +MuniWireless +Transportation_Commons +Alt-Labor_Movement +Blog_Comments +Suresh_Naidu_on_How_Strong_Property_Rights_Promoted_Slavery_and_Discouraged_Manufacturing_Progress +Internet_and_Society +Free_Software_Business_Models +Flash-Mob_Cataloging +Michel_Bauwens_at_Open_Government_Melbourne_Meetup +Ontario_Talent_First_Network +Open_Design_Competitions +Thomas_Greco +Future_of_Nano-Electric_Power_Generation +Alex_Pazaitis +Pay_As_You_Want +Hermann_Hatzfeldt +Christopher_Spehr_on_Out-cooperating_Empire +Open_Courseware_Initiatives +New_State +New_Communalism +Wiki_vs_Email_Collaboration +History_of_the_P2P_Foundation +Hybrid_Applications_between_P2P_Networks_and_Social_Networks +Richard_Stallman_on_Free_Software_in_Education +Bernard_Lietaer_on_Complementary_Currencies_for_Social_Change +Trust_Circle +Person-to-Person_Lending +NetAudio_2006 +Foundation_for_the_Economics_of_Sustainability +Rose,_Sam +Lego_Factory +Integrative_Complexity +Virtuous_Municipalities_Association +P2P_Foundation_Legal_Advisory_Board +Open_Government_Data_Principles +Energy_Descent_Action_Plan +Collective_Awareness_Platforms +Third_Place_Studio +Rule_the_Web +Grid_Republic +Free_and_Open_Source_Solutions_Foundation +Open_Source_Furniture +Interest_and_Inflation_Free_Money +Not_Just_For_Profit +This_is_what_democracy_looks_like +Music_For_Occupy +New_Media_Campaigns_and_the_Managed_Citizen +Wikipedia_Dispute_Resolution +Knotworking +Computer-mediated_Collective_Action_System +Argentina +Copyright%27s_Paradox +IRobot_Create +Bread_Bond +Blur_Banff_Proposal +Open_Archive_Definition +Public_Benefit_Model_of_Efficiency +Network-Centric_Organization +Brazil_as_Free_Culture_Nation +Lobster_Commons +Long_Term_Probel_of_Capitalism_is_the_Long_Term +HydroBot +Cambrian_House +Second_Enclosure +Distributed_Proofreading +Against_Ecological_and_Information_Enclosures +Virtual_Currency +Nina_Simon_on_Applying_Web_2.0_to_Museum_Exhibitions +Transition_Fund +Open_Source_Medical_Implants +Paul_Hartzog_on_the_Governance_of_the_Commons +David_Graeber_on_Democracy +Open_Source_Velomobile +Netbooks +Noam_Chomsky_on_Going_Beyond_State_Socialism +Open_Urban_Forms +Why_We_Have_To_Work_With_the_State +Codex_-_and_other_Edgeworks_Machinimas +Elinor_Ostrom +MeshKit_Bonfire +Deep_Packet_Inspection +BitTorrent +Wikimedia_Foundation_Board_Panel_Q_%26_A +Open_Data_Rights +Juan_Mart%C3%ADn_Prada +Yann_Moulier-Boutang +Platform_Monopolies +Collaboration_Pyramid +Knowing_Networks +Relakks +Free_Our_Books_-_UK +Consensus-Based_Decision-Making +Cultural_Commons_Collecting_Society +Sursiendo +Callooh +Luigino_Bruni +Guide_to_VoIP_Telephony +EbXML +Integral_Politics_as_Process +FabLab_World_Tour_Documentary +Open_Social +Open_Licenses +Four_Stages_of_Temporal-Spatial_Organization_in_Human_History +Open_Source_Tri-Fecta +Sharing_for_Survival +Open_Source_Biotechnology_Movement_as_Patent_Misuse +Last_of_the_Deliverers +2.2_Information_Technology_and_%27Piracy%27_(Nutshell) +Anne_Margulies_on_Open_Courseware +Decentralized_Infrastructure +Mesh_Networks_Research_Group +Meta-Media +Unitary_Democracy +P2P_Banking +NYC_Drum_Cricle +David_Holmgren_on_Holistic_Approaches_to_Food_Production_during_Energy_Descent +ContactCon +Katy_Levinson_on_Hackerdojo_Hackerspace_in_Silicon_Valley +Open_Source_Aviation +Periodization_of_Technological_History +F2C_Videos_on_Municipal_Fiber_and_Wireless +Liz_Willoughby-Martin_on_Activism_as_Radical_Democracy +Freeloading_as_a_Non-Problem +Stuffed_and_Starved +Municipally_Owned +Rhizome +Four_Scenarios_for_the_Future_of_Capitalism,_Economy,_and_Exchange +Shanda +Societing_Reloaded +Open_Geoscience +Open_Science_Grid +Network_Graphs +Privacy_on_the_Federated_Social_Web +What_Mozilla_Has_to_Teach_Government +Open_Source_Herbalism +Co-Creative_Value_Creation +Fab_8 +Space +Free_Software_is_not_the_Antonym_of_Commercial_Software +City_of_Nantes_Chamber_of_Compensation +Meaning_Organization +Fora_do_Eixo_Card +Liberty_Alliance +State,_the_Market,_and_some_Preliminary_Question_about_the_Commons +AfterTV_on_the_Future_of_Music +Diabetes_Genetics_Initiative +Citizen_Product_Design +Verna_Allee_on_Incentivizing_Knowledge_Sharing +National_Coalition_for_Dialogue_and_Deliberation +Sustainable_Community_Energy_System +P2P_Theory +P2P_as_a_Complex_Adaptive_System +Peer_Equity +Options_for_Managing_a_Systemic_Bank_Crisis +Commerce_in_the_Commons: +Land_Sharing +Information_Liberation +Medieval_Prosperity_and_the_Absence_of_Usurious_Lending_Practices +Ricken_Patel_on_Trends_in_Global_e-Advocacy +David_Graeber_on_the_Origins_of_Money,_Markets,_and_the_State +Automation,_Accelerating_Technology_and_the_Economy_of_the_Future +What_is_a_FabLab +Darwin_Project +Transitioning_from_the_Ego_System_to_the_Eco_System_Approach +David_Hammerstein +P2P_Lending +Futures_of_Power,_wiki_scenario_project +Invasive_Technification +Peer-To-Peer_Accommodations_Market +Peer_Production_and_Industrial_Cooperation_in_Biotechnology,_Genomics_and_Proteomics +Sensor_Commons +Culture +Jeff_Lee_on_Building_Communities_Through_Open_Content_In_Rural_Himalayan_Nepal +World_Public_Power_Representation +Geospatial_Analysis_and_Living_Urban_Geometry +New_Golden_Age +Jodi_Dean +Ernst_Ulrich_von_Weizs%C3%A4cker +Zimride +Peer_to_Peer_Video +Commons_Solutions_Lab +Cyber_Populism +Contrarians_on_Eternal_Copyright +How_To_Change_the_International_Rules_for_the_Commons_in_Europe%3F_-_2013 +Adam_Greenfield_on_Public_Objects,_Connected_Things_and_Civic_Responsibilities_in_the_Networked_City +Gross,_Robin +Daniel_Dahm +Participant_Reactions_to_International_Commons_Conference +Introduction_to_Neighbourhood_Media +Extreme_Sharing_Networks +Chemical_Semantic_Web +Cooperative_Learning +Conceptuar-te/es +Jem_Bendell_on_the_Money_Myth +Delfanti,_Alessandro +Use_Community +Maghribi_Traders +Fish_Trap_Commons_-_Thailand +Passively_Multiplayer_Online_Game +Netzwerk_IT +P2P_Foundation_Wiki_Advanced_Editing +Attention_Economy +Sacred_Economics_with_Charles_Eisenstein +Bikesharing +Fab_Lab_Amsterdam +Communities_and_Technologies +Dot_Cloud +Open_Laszlo +Rene_Girard_on_Mimetic_Desire +Noronha,_Frederick +Nothing_So_Strange +Transnational_State +Open_Source_Mailing_List_Software +Android_Developers_Union +L%27actuelle_r%C3%A9volution_technologique_et_l%27%C3%A9mergence_de_rapports_post-capitalistes +P2PStack +Electronic_Online_Parliament +Ian_Bogost_on_Persuasive_Games +Jonathan_Zittrain_on_the_Future_of_the_Internet +World_Institute_of_Slowness +Arab_Countries +Marco_Berlinguer +Podmob +Civic_Engagement_in_the_Digital_Age +Brian_Tokar +Center_for_Democracy_and_Technology +P2P_Foundation_Knowledge_Commons_Peer_Governance_Channel +Sharing_Design_Rights +Freeconomy_Community +Dissensus +Politics_of_Digital_Media +Land_Commons +Local_Economy +William_Catton_on_Ecological_Overshoot_and_Revolutionary_Change +User_Innovation_in_Agriculture +Means_of_Production +Steven_Livingston_on_Networks_in_Areas_of_Limited_Statehood_as_an_Alternative_Mode_of_Governance +Berlin_Commons_Conference/Workshops/Legal_Session_-_Report_by_Ruth_Meinzen-Dick +Bloodspell +David_Seamon_on_the_Relational_Dynamics_between_Humans_and_their_Built_Environment +De_volgende_Boeddha_zal_een_collectief_zijn +Modernism_Post-modernism_Transmodernism +Open_Policy_Forum +Otetsudai_Networks +Fibre-Based_Broadband +P2P_Collaborative_Concepts +Hastily_Formed_Networks +Hyperconnectivity +Open_Music_Business_Models +Forban +Netroots +Tom_Steinberg +Elinor_Ostrom%E2%80%99s_Eight_Commons_Governance_Design_Principles +Causes_of_Reactive_Violence +Play_Struggle +Participatory_Media +Civil_Society_Tactics_to_Cultivate_Commons_and_Construct_Food_Sovereignty_in_the_United_States +Social_Network_Analysis +Geotagging +Medfloss +Cornwell,_Reid +Linux_Game_Tome +Encapsulation +P2P_WikiSprint_Hispanic_Projects_Map +Panton_Waltland +Internet_Telephony +Multi-Local_Societies +Customary_Law_Communities +Grey,_Fran%C3%A7ois +Equal_Exchange_Certificate_of_Deposit +Interview_with_Stefano_Serafini_on_P2P_Urbanism +Building_Research_Equipment_with_Free,_Open-Source_Hardware +Rights_Expression_Languages +Crowdscience +Open_Congress_Downloads +Greexit_Project +Interview_with_Jerry_Mander +Dean_Shareski_on_the_Shariness_Factor_and_Sharing_as_a_Moral_Imperative +Virtual_Collective_Consciousness +Utopian_Fiction_and_Democracy +Open_Friends_Format +Social_Software +Rotating_Savings_and_Credit_Association +Starting_a_Coworking_Space%3F +Cooperating_Objects +From_Systems_Being_to_Systems_Thinking +Robert_Hackett_on_Networked_Advocacy +Power_Laws_Weblogs_and_Inequality_-_Clay_Shirky +Pouzin_Society +The_R2R_Research_Process_Protocol_Project +DIWO_Email_Art_and_Curation_Project +Money_for_Nothing +Followship +Tribe +Rewards_of_Merit +Differences_between_Open_Agriculture_and_Open_Manufacturing +Credit_Theory_of_Money +Boy_Kings +Election_Hackathon +Read-Only_Culture +Mission_4636 +Axiomatization_of_Socio-Economic_Principles_for_Self-Organizing_Institutions +We_and_the_Arts +Creative_Commons_Gems +Salinas_Cooperative_-_Ecuador +Ben_Knight_on_How_Technology_Can_Transform_Democracy +People_Without_Government +Cathedral_and_the_Bazaar +Iniciativa_Focus_Extremadura/es +Giulia_Massobrio +Copyright_Is_Theft,_Unauthorized_Copying_Is_Not_Theft +Wireless_Networking_in_the_Developing_World +FLO_Solutions_Meeting +Open_Cultures_and_the_Nature_of_Networks +Capitalism_as_if_the_World_Matters +Factory_of_the_Common +Relation +Domenico_di_Sena +Fernando_Baptista +Wikirating +Commons_Creation +Distributed_Search_Engines +Deliberative_Polling +Seven-Day_Weekend +Free_Software_and_the_Death_of_Copyright +Soft_Security +Violence_of_Financial_Capitalism +Michael_Pollan_on_the_Emerging_Local_Food_Movement +Hacking_Your_Education +Connectomics +Electronic_Direct_Democracy_Movements +Open_Research_Data_Handbook +Spanish_P2P_WikiSprint +Barabasi,_Albert-Laszlo +David_Korten_on_The_Great_Turning +Information_Flows_During_the_2011_Tunisian_and_Egyptian_Revolutions +Do_Artifacts_Have_Politics +Cyber_Protest +Peter_Semmelhack +Selbstentfaltung +Ken_McLeod%27s_Science_Fiction +Green_Hackathon +Strategy_to_Break_the_Dominance_of_Wall_Gardens_and_in_Favor_of_the_Free_Network_Services +Elizabeth_Townsend_Gard_on_Publishing_for_the_Public_Domain +Ragavan_Srinivasan_on_Open_Licenses_in_Education +Allen_Butcher_on_Allocation_Mechanisms_for_Community_Economics +Tipjoy +Vectorealism +Critique_of_the_Peer_Production_License +Cryptocurrencies_and_What_They_Mean_for_Sharing +Distributed_File_Storage +Relationship_Networking_Industry_Association +Burners_Without_Borders +Securities-Based_Crowdfunding_Model +Farm_and_Food_Renting +Employers_Alliances_in_France_and_Europe +Co-operation_in_the_Age_of_Google +Markets_are_Inefficient_for_Non-Rival_Goods +Directory_of_Local_DIYbio_Groups +Mark_Cooper_on_Public_Airwaves_as_a_Common_Asset +P2P_Class_Theories +Commonwealth_of_Life +Ray_Anderson_on_Sustainability +Neoliberal_Governance +Andy_Jordan_Reports_on_the_Berkshare +Roger_Dingledine_and_Jacob_Applebaum_on_TOR +Sewing_Rebellion +Open_Source_Dentistry +Revisioning_the_Sanctity_of_Proprety +Holoptism +Social_Architecture +Time-Based_Scrip +Guelaguetza +Karl_Richter +Ethical_Trade_Standards +On_Free_Wavelenghts +Learning_Management_System +Nudge +Hospitality_Exchange +Give-away_Shop +Theory_of_Power +Web2Rights +Distributed_Computation +Matt_Mason_on_Piracy_as_a_Business_Model +Drive_My_Car_Rentals +Trusts +Legal_Recognition_of_the_Commons +Digital_Government_through_Social_Networks +Bill_of_Players_Rights +Freedom_of_the_Press_Foundation +Community-Led_Hydro_Initiatives +Cluetrain_Manifesto_for_People-Powered_Politics +Wolfgang_Hoeschele_on_Contributory_Resource_Use +Cyberconflict_Workshop +Commons_Choir +Mark_Surman_on_a_Free_and_Open_Future +Communism +Noserub +Shareable_Transportation_Policies +Howard_Rheingold_on_How_to_Use_Social_Media +In_Kind_Exchange +Open_Farm +Interplanetary_Internet +EGPL +Second_Enclosure_Movement_and_the_Construction_of_the_Public_Domain +Get_Rid_of_Banks_and_Build_Up_a_Modern_Financial_World +Flattr +WiFi_America +Blogging_and_the_Transformation_of_Legal_Scholarship +Axel_Bruns_Vlogs_on_Produsage +At_Cost +Nick_Shockey_and_Jonathan_Eisen_on_the_Need_for_Open_Access_in_Science +Stack_Exchange +FON +Plumi +Open_Source_Robotics +Data_Transparency_Coalition +Interview_with_Stavros_Stavrides_on_the_Commons +Cross_Innovation +Open_Source_Teledildonics_Systems +Some_Thoughts_on_the_Commons +Leak_Site_Directory +LETSLinkUK +Edward_Iacobucci_on_Decentralized_Air_Travel +Apache_-_Governance +Photosync +FLOAT +Photosynq +Cloud_Robotics +Open_Design_Engine +Philippine_Greens%27_Programme_for_the_Information_Sector +P2P_Finance +Difference +Geoff_Lawton_on_the_Future_of_Permaculture +Steven_Levy_on_the_Emergence_and_Growth_of_the_Google_Plex +Larry_Johnson_on_Education_in_Virtual_Worlds +Icelandic_Crowdsourced_Constitution +Cyberconflict_and_the_Future_of_Warfare +Appendix_2._Launch_of_The_Foundation_for_P2P_Alternatives +Niels_Ladefoged_on_the_International_Modern_Media_Initiative +Design_for_Socially_Shaped_Innovation +Pluri-prostheticized_Cultures +John_Robb_on_Cyberinfrastructure_Defense +Repair_Cafe +Stochastic_Science +OAuth +Project_VRM +The_Future_of_Darknets +Delicious +Commons-Based_Ideas_to_Support_Artists +Richard_Sennett_on_the_Architecture_of_Cooperation +Hack_Democracy +Open_Source_Food_Panel_at_Food_2.0 +Guarding_the_Commons +Open_Hatch +New_Terrorism_and_Complex_Global_Microstructures +Luck_of_Seven +Water +Citizens_Initiative_Review +Video_Uploading +Regional_Mutual_Credit_Clearing_Association +Mapping_Resistance +Dominance_vs_Submission_Behaviours +Green_Infrastructure_for_Neighborhoods +Network_Literacy +Paul_Zee +Subversive_Virtue +Commons-based_Taxation +What_is_the_Common +People%E2%80%99s_Cloud +Humanitarian_FOSS_Project +Kollector +Explaining_GreenXchange +Open_Source_Governance_Fundamentals +ECC2013/Money_Stream +Mondragon_Team_Academy +Changescaping +Buen_Vivir +Francesco_Salvini_Interviews_Michel_Bauwens_on_the_FLOK_Transition_Project +Dmitry_Kleiner_on_the_Telekommunist_Manifesto +Collaborative_Writing_Tools +Bradley_Kuhn_on_Software_Freedom +Open_Source_Economic_Development +Community_Benefit_Society +Unidad_de_Intercambio_Solidario_Suchitotense/es +Gupta,_Vinay +Monome +Open_Workflow +Consumer-Owned_and_-Oriented_Plan +Household_as_Commons +Tara_Mulqueen +Evolutionary_Manifesto +Open_Grasp +When_Push_comes_to_Pull +Solidarity_Economy_Network +Sommaire_(en_bref) +Digital_Footprint +Rochdale_Principles +GPL +Allotments +Quantum_GIS +Pragmatism +GPT +GPU +Wireless_Sensor_Network +PaySwarm +MyMobileWeb +Bazzichelli,_Tatiana +HitRECord +Peer_Production_and_Peer_Support_at_the_Free_Technology_Academy +How_Technology_is_Changing_Politics +Gift_Relationship +Onno_Purbo +Introducing_Augmented_Reality +Community-Driven_Value_Creation +OccupyWeb_Posting_and_Publishing_Feeds +Group_Identity +Yashas_Shetty +Ampheck +Ellen_Miller_on_the_Sunlight_Foundation_and_Transparency_in_the_Political_Process +Free_Expression_in_Asian_Cyberspace +World_of_Peer_Production +In_Praise_of_Copying +Time_Scales_for_P2P_Oriented_Change +Open_Source_Licensing_Strategies +Ricardo_Dom%C3%ADnguez_on_Open_Fabbing +Local_Motors_XC2V_Crowdsourced_Marine_Assault_Vehicle +Post-Materialism +One_Worldwide_Patent_System_and_Developing_Countries +15Mpedia/es +Cryptoparty_3_Notes +Auction_Culture +Mitch_Kapor_on_Distruptive_Virtual_Worlds +E2D_International +Lingo_Piracy +Unlicensed_Spectrum +La_vuelta_al_mundo_en_80_gu%C3%ADas/es +GRAIN +Challenges_and_Promises_for_an_Open_Science_and_Technology_Movement +Collaborative_Economy_Coalition +Joe_Raby_interviews_Limewire +QA_P2P_Energy_Economy +Good_Taxation_Targets_Unproductive_Rent +Michael_Opielka +Litman,_Jessica +Open_Counsel +Cyberconflicts +Equity_Coop +FranzNahrada_on_A_Pattern_Language_for_the_Postindustrial_Society +Vivir_Bien +Wikicrimes +Commons_as_a_Different_Engine_of_Innovation +Joe_Karaganis_on_Copy_Cultures_in_Emerging_Countries +Farmers_Occupy_Zuccotti_Park +Open_Source_Design_Practicioner_Interviews +Bradley_Kuhn_on_Free_Network_Services +Objects +Global_Tribes +Assessing_the_Radical_Democracy_of_Indymedia +Synthetic_Worlds +Governance_Futures_Lab +Zero_Exhange +Howard_Rheingold_Interviews_Robin_Good_about_Online_Content_Curation +Toronto_Windshare_Coop +Community_Energy_Coalition +Hashmobs +Political_Change_in_the_Digital_Age +Network_Society +Social_Microdonations +Without_Middlemen_Movement_-_Social_Grocery_Shops +Robocicla/es +Rules_Movement +Not_For_Profit_2.0 +Gar_Alperovitz_on_Cooperatives_as_Democratic_Structures_of_Business_Ownership +Community_Energy_Practitioners_Forum_-_UK +Surat_Horachaikul +Sharing_API +Prabir_Purkayashta +Sourcemap +Care_Work_and_the_Commons +Machine-to-Machine_Communication +Urban_Ecovillages +Provisioning_and_Direct_Democracy_Infrastructures_at_Occupy_Wall_Street +Electronic_Design_Blueprint_Aggregators +Peer-to-Peer_Finance_Association +Valve +Luis_Ramirez_and_Paloma_Baytelman_on_the_Chilean_Penguin_Revolution +Nicol%C3%A1s_Mendoza +Eric_Harris-Braun +Decisive_Ecological_Warfare_Strategy +MarineMap_Consortium +Self-Assembly_Lab +Abundance_Generation +REFF_(RomaEuropaFakeFactory)_%E2%80%93_Art_is_Open_Source +Emergence_of_a_Global_Commons_Movement,_Year_Zero +Ecology_of_Games +Syriza +Open_Source_Theatre_Project +Vocativ +TextSecure +Asia_Commons_Deep_Dive +Nea_Guinea_Collective_-_Greece +Fuller,_Buckminster +Free_Cooperation +Service_Oriented_Science +Pathways_as_Commons +Community_Driven_Air_Quality_Sensor_Network +Biologics +Wikileaks_and_the_Networked_News_Ecology +Fab_Lab_Community_as_Hybrid_Innovation_Ecology_for_the_Peer_Production_of_Physical_Goods +La_Montanita_-_Local_Organic_Food_Cooperative +Crude_Awakening +Daniel_Appelquist_on_the_Rise_of_the_Social_Web +FLOSS-POLS +Shared_Solar_Output_Data +Myths_and_Realities_of_Social_Media_at_Work +Ronen_Kadushin_Open_Design +User-Initiated_Crowdsourcing +Podcast_Fiction +Geo-Location_Services +Grammar_of_the_Multitudes +Community_Freeloader +Meat_Sharing +Sway_Method +Open_Artist +Patrick_Meier_on_Collaborative_Mapping_Platforms +DESIS_Network +Alternative_Education_Resource_Organization +PMOG +Charlotte_Hess +User-Generated_Innovation +Cognitive_Democracy +Community_Heat_Partnerships +George_Cabot_Lodge_on_Economics_and_the_Moral_Order +Bionatur +Free_as_in_Beer +Discussion_on_Vendor_Relationships_Management +Micro_Eco-Farm +Open_Source_Intelligence +Stream diff --git a/pyproject.toml b/pyproject.toml new file mode 100644 index 0000000..90e9f3f --- /dev/null +++ b/pyproject.toml @@ -0,0 +1,64 @@ +[project] +name = "p2pwiki-ai" +version = "0.1.0" +description = "AI-augmented system for P2P Foundation Wiki - chat agent and ingress pipeline" +requires-python = ">=3.10" +dependencies = [ + # Core + "fastapi>=0.109.0", + "uvicorn[standard]>=0.27.0", + "pydantic>=2.5.0", + "pydantic-settings>=2.1.0", + + # XML parsing + "lxml>=5.1.0", + + # Vector store & embeddings + "chromadb>=0.4.22", + "sentence-transformers>=2.3.0", + + # LLM integration + "openai>=1.10.0", # For Ollama-compatible API + "anthropic>=0.18.0", # For Claude API + "httpx>=0.26.0", + + # Article scraping + "trafilatura>=1.6.0", + "newspaper3k>=0.2.8", + "beautifulsoup4>=4.12.0", + "requests>=2.31.0", + + # Utilities + "python-dotenv>=1.0.0", + "rich>=13.7.0", + "tqdm>=4.66.0", + "tenacity>=8.2.0", +] + +[project.optional-dependencies] +dev = [ + "pytest>=7.4.0", + "pytest-asyncio>=0.23.0", + "black>=24.1.0", + "ruff>=0.1.0", +] + +[project.scripts] +p2pwiki-parse = "src.parser:main" +p2pwiki-embed = "src.embeddings:main" +p2pwiki-serve = "src.api:main" + +[build-system] +requires = ["setuptools>=68.0", "wheel"] +build-backend = "setuptools.build_meta" + +[tool.setuptools.packages.find] +where = ["."] + +[tool.black] +line-length = 100 +target-version = ["py310"] + +[tool.ruff] +line-length = 100 +select = ["E", "F", "I", "N", "W"] diff --git a/src/__init__.py b/src/__init__.py new file mode 100644 index 0000000..aa6e815 --- /dev/null +++ b/src/__init__.py @@ -0,0 +1 @@ +"""P2P Wiki AI System - Chat agent and ingress pipeline.""" diff --git a/src/api.py b/src/api.py new file mode 100644 index 0000000..6634e0b --- /dev/null +++ b/src/api.py @@ -0,0 +1,320 @@ +"""FastAPI backend for P2P Wiki AI system.""" + +import asyncio +from contextlib import asynccontextmanager +from pathlib import Path +from typing import Optional + +from fastapi import FastAPI, HTTPException, BackgroundTasks +from fastapi.middleware.cors import CORSMiddleware +from fastapi.staticfiles import StaticFiles +from fastapi.responses import FileResponse +from pydantic import BaseModel, HttpUrl + +from .config import settings +from .embeddings import WikiVectorStore +from .rag import WikiRAG, RAGResponse +from .ingress import IngressPipeline, get_review_queue, approve_item, reject_item + +# Global instances +vector_store: Optional[WikiVectorStore] = None +rag_system: Optional[WikiRAG] = None +ingress_pipeline: Optional[IngressPipeline] = None + + +@asynccontextmanager +async def lifespan(app: FastAPI): + """Initialize services on startup.""" + global vector_store, rag_system, ingress_pipeline + + print("Initializing P2P Wiki AI system...") + + # Check if vector store has been populated + chroma_path = settings.chroma_persist_dir + if not chroma_path.exists() or not any(chroma_path.iterdir()): + print("WARNING: Vector store not initialized. Run 'python -m src.parser' and 'python -m src.embeddings' first.") + else: + vector_store = WikiVectorStore() + rag_system = WikiRAG(vector_store) + ingress_pipeline = IngressPipeline(vector_store) + print(f"Loaded vector store with {vector_store.get_stats()['total_chunks']} chunks") + + yield + + print("Shutting down...") + + +app = FastAPI( + title="P2P Wiki AI", + description="AI-augmented system for P2P Foundation Wiki - chat agent and ingress pipeline", + version="0.1.0", + lifespan=lifespan, +) + +# CORS middleware +app.add_middleware( + CORSMiddleware, + allow_origins=["*"], # Configure appropriately for production + allow_credentials=True, + allow_methods=["*"], + allow_headers=["*"], +) + + +# --- Request/Response Models --- + + +class ChatRequest(BaseModel): + """Chat request model.""" + + query: str + n_results: int = 5 + filter_categories: Optional[list[str]] = None + + +class ChatResponse(BaseModel): + """Chat response model.""" + + answer: str + sources: list[dict] + query: str + + +class IngressRequest(BaseModel): + """Ingress request model.""" + + url: HttpUrl + + +class IngressResponse(BaseModel): + """Ingress response model.""" + + status: str + message: str + scraped_title: Optional[str] = None + topics_found: int = 0 + wiki_matches: int = 0 + drafts_generated: int = 0 + queue_file: Optional[str] = None + + +class ReviewActionRequest(BaseModel): + """Review action request model.""" + + filepath: str + item_type: str # "match" or "draft" + item_index: int + action: str # "approve" or "reject" + + +# --- API Endpoints --- + + +@app.get("/") +async def root(): + """Root endpoint.""" + return { + "name": "P2P Wiki AI", + "version": "0.1.0", + "status": "running", + "vector_store_ready": vector_store is not None, + } + + +@app.get("/health") +async def health(): + """Health check endpoint.""" + return { + "status": "healthy", + "vector_store_ready": vector_store is not None, + } + + +@app.get("/stats") +async def stats(): + """Get system statistics.""" + if not vector_store: + return {"error": "Vector store not initialized"} + + return { + "vector_store": vector_store.get_stats(), + "review_queue_count": len(get_review_queue()), + } + + +# --- Chat Endpoints --- + + +@app.post("/chat", response_model=ChatResponse) +async def chat(request: ChatRequest): + """Chat with the wiki knowledge base.""" + if not rag_system: + raise HTTPException( + status_code=503, + detail="RAG system not initialized. Run indexing first.", + ) + + response = await rag_system.ask( + query=request.query, + n_results=request.n_results, + filter_categories=request.filter_categories, + ) + + return ChatResponse( + answer=response.answer, + sources=response.sources, + query=response.query, + ) + + +@app.post("/chat/clear") +async def clear_chat(): + """Clear chat history.""" + if rag_system: + rag_system.clear_history() + return {"status": "cleared"} + + +@app.get("/chat/suggestions") +async def chat_suggestions(q: str = ""): + """Get article title suggestions for autocomplete.""" + if not rag_system or not q: + return {"suggestions": []} + + suggestions = rag_system.get_suggestions(q) + return {"suggestions": suggestions} + + +# --- Ingress Endpoints --- + + +@app.post("/ingress", response_model=IngressResponse) +async def ingress(request: IngressRequest, background_tasks: BackgroundTasks): + """ + Process an external article URL through the ingress pipeline. + + This scrapes the article, analyzes it for wiki relevance, + finds matching existing articles, and generates draft articles. + """ + if not ingress_pipeline: + raise HTTPException( + status_code=503, + detail="Ingress pipeline not initialized. Run indexing first.", + ) + + try: + result = await ingress_pipeline.process(str(request.url)) + + return IngressResponse( + status="success", + message="Article processed successfully", + scraped_title=result.scraped.title, + topics_found=len(result.analysis.get("main_topics", [])), + wiki_matches=len(result.wiki_matches), + drafts_generated=len(result.draft_articles), + queue_file=result.timestamp, + ) + except Exception as e: + raise HTTPException(status_code=500, detail=str(e)) + + +# --- Review Queue Endpoints --- + + +@app.get("/review") +async def get_review_items(): + """Get all items in the review queue.""" + items = get_review_queue() + return {"count": len(items), "items": items} + + +@app.get("/review/{filename}") +async def get_review_item(filename: str): + """Get a specific review item.""" + filepath = settings.review_queue_dir / filename + if not filepath.exists(): + raise HTTPException(status_code=404, detail="Review item not found") + + import json + + with open(filepath, "r", encoding="utf-8") as f: + data = json.load(f) + + return data + + +@app.post("/review/action") +async def review_action(request: ReviewActionRequest): + """Approve or reject a review item.""" + if request.action == "approve": + success = approve_item(request.filepath, request.item_type, request.item_index) + elif request.action == "reject": + success = reject_item(request.filepath, request.item_type, request.item_index) + else: + raise HTTPException(status_code=400, detail="Invalid action") + + if success: + return {"status": "success", "action": request.action} + else: + raise HTTPException(status_code=500, detail="Action failed") + + +# --- Search Endpoints --- + + +@app.get("/search") +async def search(q: str, n: int = 10, categories: Optional[str] = None): + """Direct search of the vector store.""" + if not vector_store: + raise HTTPException(status_code=503, detail="Vector store not initialized") + + filter_cats = categories.split(",") if categories else None + results = vector_store.search(q, n_results=n, filter_categories=filter_cats) + + return {"query": q, "count": len(results), "results": results} + + +@app.get("/articles") +async def list_articles(limit: int = 100, offset: int = 0): + """List article titles.""" + if not vector_store: + raise HTTPException(status_code=503, detail="Vector store not initialized") + + titles = vector_store.get_article_titles() + return { + "total": len(titles), + "limit": limit, + "offset": offset, + "titles": titles[offset : offset + limit], + } + + +# --- Static Files (Web UI) --- + +web_dir = Path(__file__).parent.parent / "web" +if web_dir.exists(): + app.mount("/static", StaticFiles(directory=str(web_dir)), name="static") + + @app.get("/ui") + async def ui(): + """Serve the web UI.""" + index_path = web_dir / "index.html" + if index_path.exists(): + return FileResponse(index_path) + raise HTTPException(status_code=404, detail="Web UI not found") + + +def main(): + """Run the API server.""" + import uvicorn + + uvicorn.run( + "src.api:app", + host=settings.host, + port=settings.port, + reload=True, + ) + + +if __name__ == "__main__": + main() diff --git a/src/config.py b/src/config.py new file mode 100644 index 0000000..042de5d --- /dev/null +++ b/src/config.py @@ -0,0 +1,51 @@ +"""Configuration settings for P2P Wiki AI system.""" + +from pathlib import Path +from pydantic_settings import BaseSettings + + +class Settings(BaseSettings): + """Application settings loaded from environment variables.""" + + # Paths + project_root: Path = Path(__file__).parent.parent + data_dir: Path = project_root / "data" + xmldump_dir: Path = project_root / "xmldump" + + # Vector store + chroma_persist_dir: Path = data_dir / "chroma" + embedding_model: str = "all-MiniLM-L6-v2" # Fast, good quality + + # Ollama (local LLM) + ollama_base_url: str = "http://localhost:11434" + ollama_model: str = "llama3.2" # Default model for local inference + + # Claude API (for complex tasks) + anthropic_api_key: str = "" + claude_model: str = "claude-sonnet-4-20250514" + + # Hybrid routing thresholds + use_claude_for_drafts: bool = True # Use Claude for article drafting + use_ollama_for_chat: bool = True # Use Ollama for simple Q&A + + # MediaWiki + mediawiki_api_url: str = "" # Set if you have a live wiki API + + # Server + host: str = "0.0.0.0" + port: int = 8420 + + # Review queue + review_queue_dir: Path = data_dir / "review_queue" + + class Config: + env_file = ".env" + env_file_encoding = "utf-8" + + +settings = Settings() + +# Ensure directories exist +settings.data_dir.mkdir(parents=True, exist_ok=True) +settings.chroma_persist_dir.mkdir(parents=True, exist_ok=True) +settings.review_queue_dir.mkdir(parents=True, exist_ok=True) diff --git a/src/embeddings.py b/src/embeddings.py new file mode 100644 index 0000000..1cfef8e --- /dev/null +++ b/src/embeddings.py @@ -0,0 +1,256 @@ +"""Vector store setup and embedding generation using ChromaDB.""" + +import json +from pathlib import Path +from typing import Optional + +import chromadb +from chromadb.config import Settings as ChromaSettings +from rich.console import Console +from rich.progress import Progress +from sentence_transformers import SentenceTransformer + +from .config import settings +from .parser import WikiArticle + +console = Console() + +# Chunk size for embedding (in characters) +CHUNK_SIZE = 1000 +CHUNK_OVERLAP = 200 + + +class WikiVectorStore: + """Vector store for wiki articles using ChromaDB.""" + + def __init__(self, persist_dir: Optional[Path] = None): + self.persist_dir = persist_dir or settings.chroma_persist_dir + + # Initialize ChromaDB + self.client = chromadb.PersistentClient( + path=str(self.persist_dir), + settings=ChromaSettings(anonymized_telemetry=False), + ) + + # Create or get collection + self.collection = self.client.get_or_create_collection( + name="wiki_articles", + metadata={"hnsw:space": "cosine"}, + ) + + # Load embedding model + console.print(f"[cyan]Loading embedding model: {settings.embedding_model}[/cyan]") + self.model = SentenceTransformer(settings.embedding_model) + console.print("[green]Model loaded[/green]") + + def _chunk_text(self, text: str, title: str) -> list[tuple[str, dict]]: + """Split text into overlapping chunks with metadata.""" + if len(text) <= CHUNK_SIZE: + return [(text, {"chunk_index": 0, "total_chunks": 1})] + + chunks = [] + start = 0 + chunk_index = 0 + + while start < len(text): + end = start + CHUNK_SIZE + + # Try to break at sentence boundary + if end < len(text): + # Look for sentence end within last 100 chars + for i in range(min(100, end - start)): + if text[end - i] in ".!?\n": + end = end - i + 1 + break + + chunk_text = text[start:end].strip() + if chunk_text: + # Prepend title for context + chunk_with_title = f"{title}\n\n{chunk_text}" + chunks.append( + (chunk_with_title, {"chunk_index": chunk_index, "total_chunks": -1}) + ) + chunk_index += 1 + + start = end - CHUNK_OVERLAP + + # Update total_chunks + for i, (text, meta) in enumerate(chunks): + meta["total_chunks"] = len(chunks) + + return chunks + + def get_embedded_article_ids(self) -> set: + """Get set of article IDs that are already embedded.""" + results = self.collection.get(include=["metadatas"]) + article_ids = set() + for meta in results["metadatas"]: + if meta and "article_id" in meta: + article_ids.add(meta["article_id"]) + return article_ids + + def add_articles(self, articles: list[WikiArticle], batch_size: int = 100, resume: bool = True): + """Add articles to the vector store.""" + console.print(f"[cyan]Processing {len(articles)} articles...[/cyan]") + + # Check for already embedded articles if resuming + if resume: + embedded_ids = self.get_embedded_article_ids() + original_count = len(articles) + articles = [a for a in articles if a.id not in embedded_ids] + skipped = original_count - len(articles) + if skipped > 0: + console.print(f"[yellow]Skipping {skipped} already-embedded articles[/yellow]") + if not articles: + console.print("[green]All articles already embedded![/green]") + return + + all_chunks = [] + all_ids = [] + all_metadatas = [] + + with Progress() as progress: + task = progress.add_task("[cyan]Chunking articles...", total=len(articles)) + + for article in articles: + if not article.plain_text: + progress.advance(task) + continue + + chunks = self._chunk_text(article.plain_text, article.title) + + for chunk_text, chunk_meta in chunks: + chunk_id = f"{article.id}_{chunk_meta['chunk_index']}" + + metadata = { + "article_id": article.id, + "title": article.title, + "categories": ",".join(article.categories[:10]), # Limit categories + "timestamp": article.timestamp, + "chunk_index": chunk_meta["chunk_index"], + "total_chunks": chunk_meta["total_chunks"], + } + + all_chunks.append(chunk_text) + all_ids.append(chunk_id) + all_metadatas.append(metadata) + + progress.advance(task) + + console.print(f"[cyan]Created {len(all_chunks)} chunks from {len(articles)} articles[/cyan]") + + # Generate embeddings and add in batches + console.print("[cyan]Generating embeddings and adding to vector store...[/cyan]") + + with Progress() as progress: + task = progress.add_task( + "[cyan]Embedding and storing...", total=len(all_chunks) // batch_size + 1 + ) + + for i in range(0, len(all_chunks), batch_size): + batch_chunks = all_chunks[i : i + batch_size] + batch_ids = all_ids[i : i + batch_size] + batch_metadatas = all_metadatas[i : i + batch_size] + + # Generate embeddings + embeddings = self.model.encode(batch_chunks, show_progress_bar=False) + + # Add to collection + self.collection.add( + ids=batch_ids, + embeddings=embeddings.tolist(), + documents=batch_chunks, + metadatas=batch_metadatas, + ) + + progress.advance(task) + + console.print(f"[green]Added {len(all_chunks)} chunks to vector store[/green]") + + def search( + self, + query: str, + n_results: int = 5, + filter_categories: Optional[list[str]] = None, + ) -> list[dict]: + """Search for relevant chunks.""" + query_embedding = self.model.encode([query])[0] + + where_filter = None + if filter_categories: + # ChromaDB where filter for categories + where_filter = { + "$or": [{"categories": {"$contains": cat}} for cat in filter_categories] + } + + results = self.collection.query( + query_embeddings=[query_embedding.tolist()], + n_results=n_results, + where=where_filter, + include=["documents", "metadatas", "distances"], + ) + + # Format results + formatted = [] + if results["documents"] and results["documents"][0]: + for i, doc in enumerate(results["documents"][0]): + formatted.append( + { + "content": doc, + "metadata": results["metadatas"][0][i], + "distance": results["distances"][0][i], + } + ) + + return formatted + + def get_article_titles(self) -> list[str]: + """Get all unique article titles in the store.""" + # Get all metadata + results = self.collection.get(include=["metadatas"]) + titles = set() + for meta in results["metadatas"]: + if meta and "title" in meta: + titles.add(meta["title"]) + return sorted(titles) + + def get_stats(self) -> dict: + """Get statistics about the vector store.""" + count = self.collection.count() + + # Get sample of metadatas to count unique articles + sample = self.collection.get(limit=10000, include=["metadatas"]) + unique_articles = len(set(m["article_id"] for m in sample["metadatas"] if m)) + + return { + "total_chunks": count, + "unique_articles_sampled": unique_articles, + "persist_dir": str(self.persist_dir), + } + + +def main(): + """CLI entry point for generating embeddings.""" + articles_path = settings.data_dir / "articles.json" + + if not articles_path.exists(): + console.print(f"[red]Articles file not found: {articles_path}[/red]") + console.print("[yellow]Run 'python -m src.parser' first to parse XML dumps[/yellow]") + return + + console.print(f"[cyan]Loading articles from {articles_path}...[/cyan]") + with open(articles_path, "r", encoding="utf-8") as f: + articles_data = json.load(f) + + articles = [WikiArticle(**a) for a in articles_data] + console.print(f"[green]Loaded {len(articles)} articles[/green]") + + store = WikiVectorStore() + store.add_articles(articles) + + stats = store.get_stats() + console.print(f"[green]Vector store stats: {stats}[/green]") + + +if __name__ == "__main__": + main() diff --git a/src/ingress.py b/src/ingress.py new file mode 100644 index 0000000..6329d5b --- /dev/null +++ b/src/ingress.py @@ -0,0 +1,467 @@ +"""Article ingress pipeline - scrape, analyze, and draft wiki content.""" + +import json +import re +from dataclasses import dataclass, field, asdict +from datetime import datetime +from pathlib import Path +from typing import Optional +from urllib.parse import urlparse + +import httpx +import trafilatura +from bs4 import BeautifulSoup +from rich.console import Console + +from .config import settings +from .embeddings import WikiVectorStore +from .llm import llm_client + +console = Console() + + +@dataclass +class ScrapedArticle: + """Represents a scraped external article.""" + + url: str + title: str + content: str + author: Optional[str] = None + date: Optional[str] = None + domain: str = "" + word_count: int = 0 + + def __post_init__(self): + if not self.domain: + self.domain = urlparse(self.url).netloc + if not self.word_count: + self.word_count = len(self.content.split()) + + +@dataclass +class WikiMatch: + """A matching wiki article for citation.""" + + title: str + article_id: int + relevance_score: float + categories: list[str] + suggested_citation: str # How to cite the scraped article in this wiki page + + +@dataclass +class DraftArticle: + """A draft wiki article generated from scraped content.""" + + title: str + content: str # MediaWiki formatted content + categories: list[str] + source_url: str + source_title: str + summary: str + related_articles: list[str] # Existing wiki articles to link to + + +@dataclass +class IngressResult: + """Result of the ingress pipeline.""" + + scraped: ScrapedArticle + analysis: dict # Topic analysis results + wiki_matches: list[WikiMatch] # Existing articles to update with citations + draft_articles: list[DraftArticle] # New articles to create + timestamp: str = field(default_factory=lambda: datetime.now().isoformat()) + + def to_dict(self) -> dict: + return { + "scraped": asdict(self.scraped), + "analysis": self.analysis, + "wiki_matches": [asdict(m) for m in self.wiki_matches], + "draft_articles": [asdict(d) for d in self.draft_articles], + "timestamp": self.timestamp, + } + + +class ArticleScraper: + """Scrapes and extracts content from URLs.""" + + async def scrape(self, url: str) -> ScrapedArticle: + """Scrape article content from URL.""" + console.print(f"[cyan]Scraping: {url}[/cyan]") + + async with httpx.AsyncClient( + timeout=30.0, + follow_redirects=True, + headers={ + "User-Agent": "Mozilla/5.0 (compatible; P2PWikiBot/1.0; +http://p2pfoundation.net)" + }, + ) as client: + response = await client.get(url) + response.raise_for_status() + html = response.text + + # Use trafilatura for main content extraction + content = trafilatura.extract( + html, + include_comments=False, + include_tables=True, + no_fallback=False, + ) + + if not content: + # Fallback to BeautifulSoup + soup = BeautifulSoup(html, "html.parser") + # Remove script and style elements + for element in soup(["script", "style", "nav", "footer", "header"]): + element.decompose() + content = soup.get_text(separator="\n", strip=True) + + # Extract metadata + soup = BeautifulSoup(html, "html.parser") + + title = "" + title_tag = soup.find("title") + if title_tag: + title = title_tag.get_text(strip=True) + # Try og:title + og_title = soup.find("meta", property="og:title") + if og_title and og_title.get("content"): + title = og_title["content"] + + author = None + author_meta = soup.find("meta", attrs={"name": "author"}) + if author_meta and author_meta.get("content"): + author = author_meta["content"] + + date = None + date_meta = soup.find("meta", attrs={"name": "date"}) or soup.find( + "meta", property="article:published_time" + ) + if date_meta and date_meta.get("content"): + date = date_meta["content"] + + return ScrapedArticle( + url=url, + title=title, + content=content or "", + author=author, + date=date, + ) + + +class ContentAnalyzer: + """Analyzes scraped content for wiki relevance.""" + + def __init__(self, vector_store: Optional[WikiVectorStore] = None): + self.vector_store = vector_store or WikiVectorStore() + + async def analyze(self, article: ScrapedArticle) -> dict: + """Analyze article for topics, concepts, and wiki relevance.""" + # Truncate very long articles for analysis + content_for_analysis = article.content[:8000] + + analysis_prompt = f"""Analyze this article for potential wiki content about peer-to-peer culture, commons, alternative economics, and collaborative governance. + +Article Title: {article.title} +Source: {article.domain} + +Article Content: +{content_for_analysis} + +Please provide your analysis in the following JSON format: +{{ + "main_topics": ["topic1", "topic2"], + "key_concepts": ["concept1", "concept2"], + "relevant_categories": ["category1", "category2"], + "summary": "2-3 sentence summary", + "wiki_relevance_score": 0.0-1.0, + "suggested_article_titles": ["Title 1", "Title 2"], + "key_quotes": ["notable quote 1", "notable quote 2"], + "mentioned_organizations": ["org1", "org2"], + "mentioned_people": ["person1", "person2"] +}} + +Focus on topics relevant to: +- Peer-to-peer networks and culture +- Commons-based peer production +- Alternative economics and post-capitalism +- Cooperative business models +- Open source / free culture +- Collaborative governance +- Sustainability and ecology""" + + response = await llm_client.analyze( + content=article.content[:8000], + task=analysis_prompt, + temperature=0.3, + ) + + # Parse JSON from response + try: + # Find JSON in response + json_match = re.search(r"\{[\s\S]*\}", response) + if json_match: + analysis = json.loads(json_match.group()) + else: + analysis = {"error": "Could not parse analysis", "raw": response} + except json.JSONDecodeError: + analysis = {"error": "Invalid JSON in analysis", "raw": response} + + return analysis + + async def find_wiki_matches( + self, article: ScrapedArticle, analysis: dict, n_results: int = 10 + ) -> list[WikiMatch]: + """Find existing wiki articles that could cite this content.""" + matches = [] + + # Search using main topics and concepts + search_terms = analysis.get("main_topics", []) + analysis.get("key_concepts", []) + + for term in search_terms[:5]: # Limit searches + results = self.vector_store.search(term, n_results=3) + + for result in results: + title = result["metadata"].get("title", "Unknown") + article_id = result["metadata"].get("article_id", 0) + distance = result.get("distance", 1.0) + + # Skip if already added + if any(m.title == title for m in matches): + continue + + # Calculate relevance (lower distance = higher relevance) + relevance = max(0, 1 - distance) + + if relevance > 0.3: # Threshold for relevance + matches.append( + WikiMatch( + title=title, + article_id=article_id, + relevance_score=relevance, + categories=result["metadata"] + .get("categories", "") + .split(","), + suggested_citation=f"See also: [{article.title}]({article.url})", + ) + ) + + # Sort by relevance and limit + matches.sort(key=lambda m: m.relevance_score, reverse=True) + return matches[:n_results] + + +class DraftGenerator: + """Generates draft wiki articles from scraped content.""" + + def __init__(self, vector_store: Optional[WikiVectorStore] = None): + self.vector_store = vector_store or WikiVectorStore() + + async def generate_drafts( + self, + article: ScrapedArticle, + analysis: dict, + max_drafts: int = 3, + ) -> list[DraftArticle]: + """Generate draft wiki articles based on scraped content.""" + drafts = [] + + suggested_titles = analysis.get("suggested_article_titles", []) + if not suggested_titles: + return drafts + + for title in suggested_titles[:max_drafts]: + # Check if article already exists + existing = self.vector_store.search(title, n_results=1) + if existing and existing[0].get("distance", 1.0) < 0.1: + console.print(f"[yellow]Skipping '{title}' - similar article exists[/yellow]") + continue + + draft = await self._generate_single_draft(article, analysis, title) + if draft: + drafts.append(draft) + + return drafts + + async def _generate_single_draft( + self, + article: ScrapedArticle, + analysis: dict, + title: str, + ) -> Optional[DraftArticle]: + """Generate a single draft article.""" + # Find related existing articles + related_search = self.vector_store.search(title, n_results=5) + related_titles = [ + r["metadata"].get("title", "") + for r in related_search + if r.get("distance", 1.0) < 0.5 + ] + + categories = analysis.get("relevant_categories", []) + summary = analysis.get("summary", "") + + draft_prompt = f"""Create a MediaWiki-formatted article for the P2P Foundation Wiki. + +Article Title: {title} + +Source Material: +Title: {article.title} +URL: {article.url} +Summary: {summary} + +Key concepts to cover: {', '.join(analysis.get('key_concepts', []))} + +Related existing wiki articles: {', '.join(related_titles)} + +Categories to include: {', '.join(categories)} + +Please write the wiki article in MediaWiki markup format with: +1. An introduction/definition section +2. A "Description" section with key information +3. Links to related wiki articles using [[Article Name]] format +4. A "Sources" section citing the original article +5. Category tags at the end using [[Category:Name]] format + +The article should: +- Be encyclopedic and neutral in tone +- Focus on the P2P/commons aspects of the topic +- Be approximately 300-500 words +- Include internal wiki links to related concepts""" + + content = await llm_client.generate_draft( + draft_prompt, + system="You are a wiki editor for the P2P Foundation Wiki. Write clear, encyclopedic articles in MediaWiki markup format.", + temperature=0.5, + ) + + return DraftArticle( + title=title, + content=content, + categories=categories, + source_url=article.url, + source_title=article.title, + summary=summary, + related_articles=related_titles, + ) + + +class IngressPipeline: + """Complete ingress pipeline for processing external articles.""" + + def __init__(self, vector_store: Optional[WikiVectorStore] = None): + self.vector_store = vector_store or WikiVectorStore() + self.scraper = ArticleScraper() + self.analyzer = ContentAnalyzer(self.vector_store) + self.generator = DraftGenerator(self.vector_store) + + async def process(self, url: str) -> IngressResult: + """Process a URL through the complete ingress pipeline.""" + console.print(f"[bold cyan]Processing: {url}[/bold cyan]") + + # Step 1: Scrape + console.print("[cyan]Step 1/4: Scraping article...[/cyan]") + scraped = await self.scraper.scrape(url) + console.print(f"[green]Scraped: {scraped.title} ({scraped.word_count} words)[/green]") + + # Step 2: Analyze + console.print("[cyan]Step 2/4: Analyzing content...[/cyan]") + analysis = await self.analyzer.analyze(scraped) + console.print(f"[green]Found {len(analysis.get('main_topics', []))} main topics[/green]") + + # Step 3: Find wiki matches + console.print("[cyan]Step 3/4: Finding wiki matches...[/cyan]") + matches = await self.analyzer.find_wiki_matches(scraped, analysis) + console.print(f"[green]Found {len(matches)} potential wiki matches[/green]") + + # Step 4: Generate drafts + console.print("[cyan]Step 4/4: Generating draft articles...[/cyan]") + drafts = await self.generator.generate_drafts(scraped, analysis) + console.print(f"[green]Generated {len(drafts)} draft articles[/green]") + + result = IngressResult( + scraped=scraped, + analysis=analysis, + wiki_matches=matches, + draft_articles=drafts, + ) + + # Save to review queue + self._save_to_review_queue(result) + + return result + + def _save_to_review_queue(self, result: IngressResult): + """Save ingress result to the review queue.""" + timestamp = datetime.now().strftime("%Y%m%d_%H%M%S") + domain = result.scraped.domain.replace(".", "_") + filename = f"{timestamp}_{domain}.json" + filepath = settings.review_queue_dir / filename + + with open(filepath, "w", encoding="utf-8") as f: + json.dump(result.to_dict(), f, indent=2, ensure_ascii=False) + + console.print(f"[green]Saved to review queue: {filepath}[/green]") + + +def get_review_queue() -> list[dict]: + """Get all items in the review queue.""" + queue_files = sorted(settings.review_queue_dir.glob("*.json"), reverse=True) + + items = [] + for filepath in queue_files: + with open(filepath, "r", encoding="utf-8") as f: + data = json.load(f) + data["_filepath"] = str(filepath) + items.append(data) + + return items + + +def approve_item(filepath: str, item_type: str, item_index: int) -> bool: + """ + Approve an item from the review queue. + + Args: + filepath: Path to the review queue JSON file + item_type: "match" or "draft" + item_index: Index of the item to approve + + Returns: + True if successful + """ + # For now, just mark as approved in the file + # In production, this would push to MediaWiki API + with open(filepath, "r", encoding="utf-8") as f: + data = json.load(f) + + if item_type == "match": + if item_index < len(data.get("wiki_matches", [])): + data["wiki_matches"][item_index]["approved"] = True + elif item_type == "draft": + if item_index < len(data.get("draft_articles", [])): + data["draft_articles"][item_index]["approved"] = True + + with open(filepath, "w", encoding="utf-8") as f: + json.dump(data, f, indent=2, ensure_ascii=False) + + return True + + +def reject_item(filepath: str, item_type: str, item_index: int) -> bool: + """Reject an item from the review queue.""" + with open(filepath, "r", encoding="utf-8") as f: + data = json.load(f) + + if item_type == "match": + if item_index < len(data.get("wiki_matches", [])): + data["wiki_matches"][item_index]["rejected"] = True + elif item_type == "draft": + if item_index < len(data.get("draft_articles", [])): + data["draft_articles"][item_index]["rejected"] = True + + with open(filepath, "w", encoding="utf-8") as f: + json.dump(data, f, indent=2, ensure_ascii=False) + + return True diff --git a/src/llm.py b/src/llm.py new file mode 100644 index 0000000..d5028f7 --- /dev/null +++ b/src/llm.py @@ -0,0 +1,153 @@ +"""LLM client with hybrid routing between Ollama and Claude.""" + +from typing import AsyncIterator, Optional +import httpx +from anthropic import Anthropic +from tenacity import retry, stop_after_attempt, wait_exponential + +from .config import settings + + +class LLMClient: + """Unified LLM client with hybrid routing.""" + + def __init__(self): + self.ollama_url = settings.ollama_base_url + self.ollama_model = settings.ollama_model + + # Initialize Claude client if API key is set + self.claude_client = None + if settings.anthropic_api_key: + self.claude_client = Anthropic(api_key=settings.anthropic_api_key) + + @retry(stop=stop_after_attempt(3), wait=wait_exponential(multiplier=1, min=1, max=10)) + async def _call_ollama( + self, + prompt: str, + system: Optional[str] = None, + temperature: float = 0.7, + max_tokens: int = 2048, + ) -> str: + """Call Ollama API.""" + messages = [] + if system: + messages.append({"role": "system", "content": system}) + messages.append({"role": "user", "content": prompt}) + + async with httpx.AsyncClient(timeout=120.0) as client: + response = await client.post( + f"{self.ollama_url}/api/chat", + json={ + "model": self.ollama_model, + "messages": messages, + "stream": False, + "options": { + "temperature": temperature, + "num_predict": max_tokens, + }, + }, + ) + response.raise_for_status() + data = response.json() + return data["message"]["content"] + + @retry(stop=stop_after_attempt(3), wait=wait_exponential(multiplier=1, min=1, max=10)) + async def _call_claude( + self, + prompt: str, + system: Optional[str] = None, + temperature: float = 0.7, + max_tokens: int = 4096, + ) -> str: + """Call Claude API.""" + if not self.claude_client: + raise ValueError("Claude API key not configured") + + message = self.claude_client.messages.create( + model=settings.claude_model, + max_tokens=max_tokens, + system=system or "", + messages=[{"role": "user", "content": prompt}], + temperature=temperature, + ) + return message.content[0].text + + async def chat( + self, + prompt: str, + system: Optional[str] = None, + use_claude: bool = False, + temperature: float = 0.7, + max_tokens: int = 2048, + ) -> str: + """ + Chat with LLM using hybrid routing. + + Args: + prompt: User prompt + system: System prompt + use_claude: Force Claude API (otherwise uses Ollama by default) + temperature: Sampling temperature + max_tokens: Max response tokens + + Returns: + LLM response text + """ + if use_claude and self.claude_client: + return await self._call_claude(prompt, system, temperature, max_tokens) + else: + return await self._call_ollama(prompt, system, temperature, max_tokens) + + async def generate_draft( + self, + prompt: str, + system: Optional[str] = None, + temperature: float = 0.5, + ) -> str: + """ + Generate article draft - uses Claude for higher quality. + + Args: + prompt: Prompt describing what to generate + system: System prompt for context + temperature: Lower for more factual output + + Returns: + Generated draft text + """ + # Use Claude for drafts if configured, otherwise fall back to Ollama + use_claude = settings.use_claude_for_drafts and self.claude_client is not None + return await self.chat( + prompt, system, use_claude=use_claude, temperature=temperature, max_tokens=4096 + ) + + async def analyze( + self, + content: str, + task: str, + temperature: float = 0.3, + ) -> str: + """ + Analyze content for a specific task - uses Claude for complex analysis. + + Args: + content: Content to analyze + task: Description of analysis task + temperature: Lower for more deterministic output + + Returns: + Analysis result + """ + prompt = f"""Task: {task} + +Content to analyze: +{content} + +Provide your analysis:""" + + use_claude = self.claude_client is not None + return await self.chat(prompt, use_claude=use_claude, temperature=temperature) + + +# Singleton instance +llm_client = LLMClient() diff --git a/src/parser.py b/src/parser.py new file mode 100644 index 0000000..808af6b --- /dev/null +++ b/src/parser.py @@ -0,0 +1,267 @@ +"""MediaWiki XML dump parser - converts to structured JSON.""" + +import json +import re +from dataclasses import dataclass, field, asdict +from pathlib import Path +from typing import Iterator +from lxml import etree +from rich.progress import Progress, TaskID +from rich.console import Console + +from .config import settings + +console = Console() + +# MediaWiki namespace +MW_NS = {"mw": "http://www.mediawiki.org/xml/export-0.6/"} + + +@dataclass +class WikiArticle: + """Represents a parsed wiki article.""" + + id: int + title: str + content: str # Raw wikitext + plain_text: str # Cleaned plain text for embedding + categories: list[str] = field(default_factory=list) + links: list[str] = field(default_factory=list) # Internal wiki links + external_links: list[str] = field(default_factory=list) + timestamp: str = "" + contributor: str = "" + + def to_dict(self) -> dict: + return asdict(self) + + +def clean_wikitext(text: str) -> str: + """Convert MediaWiki markup to plain text for embedding.""" + if not text: + return "" + + # Remove templates {{...}} + text = re.sub(r"\{\{[^}]+\}\}", "", text) + + # Remove categories [[Category:...]] + text = re.sub(r"\[\[Category:[^\]]+\]\]", "", text, flags=re.IGNORECASE) + + # Convert wiki links [[Page|Display]] or [[Page]] to just the display text + text = re.sub(r"\[\[([^|\]]+)\|([^\]]+)\]\]", r"\2", text) + text = re.sub(r"\[\[([^\]]+)\]\]", r"\1", text) + + # Remove external links [url text] -> text + text = re.sub(r"\[https?://[^\s\]]+ ([^\]]+)\]", r"\1", text) + text = re.sub(r"\[https?://[^\]]+\]", "", text) + + # Remove wiki formatting + text = re.sub(r"'''?([^']+)'''?", r"\1", text) # Bold/italic + text = re.sub(r"={2,}([^=]+)={2,}", r"\1", text) # Headers + text = re.sub(r"^[*#:;]+", "", text, flags=re.MULTILINE) # List markers + + # Remove HTML tags + text = re.sub(r"<[^>]+>", "", text) + + # Clean up whitespace + text = re.sub(r"\n{3,}", "\n\n", text) + text = re.sub(r" {2,}", " ", text) + + return text.strip() + + +def extract_categories(text: str) -> list[str]: + """Extract category names from wikitext.""" + pattern = r"\[\[Category:([^\]|]+)" + return list(set(re.findall(pattern, text, re.IGNORECASE))) + + +def extract_wiki_links(text: str) -> list[str]: + """Extract internal wiki links from wikitext.""" + # Match [[Page]] or [[Page|Display]] + pattern = r"\[\[([^|\]]+)" + links = re.findall(pattern, text) + # Filter out categories and files + return list( + set( + link.strip() + for link in links + if not link.lower().startswith(("category:", "file:", "image:")) + ) + ) + + +def extract_external_links(text: str) -> list[str]: + """Extract external URLs from wikitext.""" + pattern = r"https?://[^\s\]\)\"']+" + return list(set(re.findall(pattern, text))) + + +def parse_xml_file(xml_path: Path) -> Iterator[WikiArticle]: + """Parse a MediaWiki XML dump file and yield articles.""" + context = etree.iterparse( + str(xml_path), events=("end",), tag="{http://www.mediawiki.org/xml/export-0.6/}page" + ) + + for event, page in context: + # Get basic info + title_elem = page.find("mw:title", MW_NS) + id_elem = page.find("mw:id", MW_NS) + ns_elem = page.find("mw:ns", MW_NS) + + # Skip non-main namespace pages (talk, user, etc.) + if ns_elem is not None and ns_elem.text != "0": + page.clear() + continue + + title = title_elem.text if title_elem is not None else "" + page_id = int(id_elem.text) if id_elem is not None else 0 + + # Get latest revision + revision = page.find("mw:revision", MW_NS) + if revision is None: + page.clear() + continue + + text_elem = revision.find("mw:text", MW_NS) + timestamp_elem = revision.find("mw:timestamp", MW_NS) + contributor = revision.find("mw:contributor", MW_NS) + + content = text_elem.text if text_elem is not None else "" + timestamp = timestamp_elem.text if timestamp_elem is not None else "" + + contributor_name = "" + if contributor is not None: + username = contributor.find("mw:username", MW_NS) + if username is not None: + contributor_name = username.text or "" + + # Skip redirects and empty pages + if not content or content.lower().startswith("#redirect"): + page.clear() + continue + + article = WikiArticle( + id=page_id, + title=title, + content=content, + plain_text=clean_wikitext(content), + categories=extract_categories(content), + links=extract_wiki_links(content), + external_links=extract_external_links(content), + timestamp=timestamp, + contributor=contributor_name, + ) + + # Clear element to free memory + page.clear() + + yield article + + +def parse_all_dumps(output_path: Path | None = None) -> list[WikiArticle]: + """Parse all XML dump files and optionally save to JSON.""" + xml_files = sorted(settings.xmldump_dir.glob("*.xml")) + + if not xml_files: + console.print(f"[red]No XML files found in {settings.xmldump_dir}[/red]") + return [] + + console.print(f"[green]Found {len(xml_files)} XML files to parse[/green]") + + all_articles = [] + + with Progress() as progress: + task = progress.add_task("[cyan]Parsing XML files...", total=len(xml_files)) + + for xml_file in xml_files: + progress.update(task, description=f"[cyan]Parsing {xml_file.name}...") + + for article in parse_xml_file(xml_file): + all_articles.append(article) + + progress.advance(task) + + console.print(f"[green]Parsed {len(all_articles)} articles[/green]") + + if output_path: + console.print(f"[cyan]Saving to {output_path}...[/cyan]") + with open(output_path, "w", encoding="utf-8") as f: + json.dump([a.to_dict() for a in all_articles], f, ensure_ascii=False, indent=2) + console.print(f"[green]Saved {len(all_articles)} articles to {output_path}[/green]") + + return all_articles + + +def parse_mediawiki_files(articles_dir: Path, output_path: Path | None = None) -> list[WikiArticle]: + """Parse individual .mediawiki files from a directory (Codeberg format).""" + mediawiki_files = list(articles_dir.glob("*.mediawiki")) + + if not mediawiki_files: + console.print(f"[red]No .mediawiki files found in {articles_dir}[/red]") + return [] + + console.print(f"[green]Found {len(mediawiki_files)} .mediawiki files to parse[/green]") + + all_articles = [] + + with Progress() as progress: + task = progress.add_task("[cyan]Parsing files...", total=len(mediawiki_files)) + + for i, filepath in enumerate(mediawiki_files): + # Title is the filename without extension + title = filepath.stem + + try: + content = filepath.read_text(encoding="utf-8", errors="replace") + except Exception as e: + console.print(f"[yellow]Warning: Could not read {filepath}: {e}[/yellow]") + progress.advance(task) + continue + + # Skip redirects and empty files + if not content or content.strip().lower().startswith("#redirect"): + progress.advance(task) + continue + + article = WikiArticle( + id=i, + title=title, + content=content, + plain_text=clean_wikitext(content), + categories=extract_categories(content), + links=extract_wiki_links(content), + external_links=extract_external_links(content), + timestamp="", + contributor="", + ) + + all_articles.append(article) + progress.advance(task) + + console.print(f"[green]Parsed {len(all_articles)} articles[/green]") + + if output_path: + console.print(f"[cyan]Saving to {output_path}...[/cyan]") + with open(output_path, "w", encoding="utf-8") as f: + json.dump([a.to_dict() for a in all_articles], f, ensure_ascii=False, indent=2) + console.print(f"[green]Saved {len(all_articles)} articles to {output_path}[/green]") + + return all_articles + + +def main(): + """CLI entry point for parsing wiki content.""" + output_path = settings.data_dir / "articles.json" + + # Check for Codeberg-style articles directory first (newer, more complete) + articles_dir = settings.project_root / "articles" / "articles" + if articles_dir.exists(): + console.print("[cyan]Found Codeberg-style articles directory, using that...[/cyan]") + parse_mediawiki_files(articles_dir, output_path) + else: + # Fall back to XML dumps + parse_all_dumps(output_path) + + +if __name__ == "__main__": + main() diff --git a/src/rag.py b/src/rag.py new file mode 100644 index 0000000..22d6995 --- /dev/null +++ b/src/rag.py @@ -0,0 +1,159 @@ +"""RAG (Retrieval Augmented Generation) system for wiki Q&A.""" + +from dataclasses import dataclass +from typing import Optional + +from .embeddings import WikiVectorStore +from .llm import llm_client + + +SYSTEM_PROMPT = """You are a knowledgeable assistant for the P2P Foundation Wiki, a comprehensive knowledge base about peer-to-peer culture, commons-based peer production, alternative economics, and collaborative governance. + +Your role is to answer questions about the wiki content accurately and helpfully. When answering: + +1. Base your answers on the provided wiki content excerpts +2. Cite specific articles when relevant (use the article titles) +3. If the provided content doesn't fully answer the question, say so +4. Explain concepts in accessible language while maintaining accuracy +5. Connect related concepts when helpful + +If asked about something not covered in the provided content, acknowledge this and suggest related topics that might be helpful.""" + + +@dataclass +class ChatMessage: + """A chat message.""" + + role: str # "user" or "assistant" + content: str + + +@dataclass +class RAGResponse: + """Response from the RAG system.""" + + answer: str + sources: list[dict] # List of source articles used + query: str + + +class WikiRAG: + """RAG system for answering questions about wiki content.""" + + def __init__(self, vector_store: Optional[WikiVectorStore] = None): + self.vector_store = vector_store or WikiVectorStore() + self.conversation_history: list[ChatMessage] = [] + + def _format_context(self, search_results: list[dict]) -> str: + """Format search results as context for the LLM.""" + if not search_results: + return "No relevant wiki content found for this query." + + context_parts = [] + for i, result in enumerate(search_results, 1): + title = result["metadata"].get("title", "Unknown") + content = result["content"] + categories = result["metadata"].get("categories", "") + + context_parts.append( + f"[Source {i}: {title}]\n" + f"Categories: {categories}\n" + f"Content:\n{content}\n" + ) + + return "\n---\n".join(context_parts) + + def _build_prompt(self, query: str, context: str) -> str: + """Build the prompt for the LLM.""" + # Include recent conversation history for context + history_text = "" + if self.conversation_history: + recent = self.conversation_history[-4:] # Last 2 exchanges + history_text = "\n\nRecent conversation:\n" + for msg in recent: + role = "User" if msg.role == "user" else "Assistant" + # Truncate long messages + content = msg.content[:500] + "..." if len(msg.content) > 500 else msg.content + history_text += f"{role}: {content}\n" + + return f"""Based on the following wiki content, please answer the user's question. + +Wiki Content: +{context} +{history_text} +User Question: {query} + +Please provide a helpful answer based on the wiki content above. Cite specific articles when relevant.""" + + async def ask( + self, + query: str, + n_results: int = 5, + filter_categories: Optional[list[str]] = None, + ) -> RAGResponse: + """ + Ask a question and get an answer based on wiki content. + + Args: + query: User's question + n_results: Number of relevant chunks to retrieve + filter_categories: Optional category filter + + Returns: + RAGResponse with answer and sources + """ + # Search for relevant content + search_results = self.vector_store.search( + query, n_results=n_results, filter_categories=filter_categories + ) + + # Format context + context = self._format_context(search_results) + + # Build prompt + prompt = self._build_prompt(query, context) + + # Get LLM response (use Ollama for chat by default) + answer = await llm_client.chat( + prompt, + system=SYSTEM_PROMPT, + use_claude=False, # Use Ollama for chat + temperature=0.7, + ) + + # Update conversation history + self.conversation_history.append(ChatMessage(role="user", content=query)) + self.conversation_history.append(ChatMessage(role="assistant", content=answer)) + + # Extract unique sources + sources = [] + seen_titles = set() + for result in search_results: + title = result["metadata"].get("title", "Unknown") + if title not in seen_titles: + seen_titles.add(title) + sources.append( + { + "title": title, + "article_id": result["metadata"].get("article_id"), + "categories": result["metadata"].get("categories", "").split(","), + } + ) + + return RAGResponse(answer=answer, sources=sources, query=query) + + def clear_history(self): + """Clear conversation history.""" + self.conversation_history = [] + + def get_suggestions(self, partial_query: str, n_results: int = 5) -> list[str]: + """Get article title suggestions for autocomplete.""" + # Simple prefix matching on titles + all_titles = self.vector_store.get_article_titles() + partial_lower = partial_query.lower() + + suggestions = [ + title for title in all_titles if partial_lower in title.lower() + ][:n_results] + + return suggestions diff --git a/web/index.html b/web/index.html new file mode 100644 index 0000000..166127f --- /dev/null +++ b/web/index.html @@ -0,0 +1,707 @@ + + + + + + P2P Wiki AI + + + +
+
+

P2P Wiki AI

+
+
Chat
+
Ingress
+
Review Queue
+
+
+ + +
+
+
+
+
+

Welcome to the P2P Wiki AI assistant! I can help you explore the P2P Foundation Wiki's knowledge about peer-to-peer culture, commons-based peer production, alternative economics, and collaborative governance.

+

Ask me anything about these topics!

+
+
+
+
+ + +
+
+
+ + +
+
+

Article Ingress

+

+ Drop an article URL to analyze it for wiki content. The AI will identify relevant topics, + find matching wiki articles for citations, and draft new articles. +

+
+ + +
+
+
+
+ + +
+
+

Review Queue

+

+ Review and approve AI-generated wiki content before it's added to the wiki. +

+
+
Loading review items...
+
+
+
+
+ + + +