770 Matching Annotations
  1. Feb 2024
    1. The main change with Ruby 3.0 is that it differentiates between passing a hash and passing keyword arguments to a method with variable or optional keyword parameters. So def my_method(**kwargs); end my_method(k: 1) # fine my_method({k: 1}) # crashes
    1. Dubbed “litigation terrorism” by Joseph Stiglitz, the Nobel prize-winning economist. ISDS is a corporate tribunal system

      for - litigation terrorism - ISDS - corporate tribunal system - Michael Levin - multi-scale competency architecture - example - adjacency - evolutionary biology - corporate law - climate crisis

      adjacency - between - corporate law - climate crisis - evolutionary biology - cultural evolution - adjacency statement - Biologist Michael Levin's multi-scale competency architecture of evolutionary biology seems to apply here - in the field of corporate law - Corporations can be viewed as one level of a social superorganism in a cultural evolution process - Governments can be viewed similiarly, but at a higher level - The ISDS is being weaponized by the same corporations destroying the global environment to combat the enactment of government laws that pose a threat to their livelihood - Hence, the ISDS has been reconfigured to protect the destroyers of the environment so that they can avoid dealing with their unacceptable externalizations - The individual existing at the lower level of the multi-scale competency architecture(the corporation) is battling to survive against the wishes of the higher level individual (the government) in the same multi-scale competency architecture

    1. not only do comparisons disagree about how we should interpret Wittgenstein’s philosophy but also about which Wittgenstein too.

      for - indyweb example - conversations with old self

      Comment - this demonstrates how each individual consciousness is evolutionary and never the same river twice. - we are not a fixed thing, but a constantly churning cauldron of ideas

  2. Jan 2024
    1. inflammation sends the signals for wound healing for healing that for blood vessels to grow

      for - example - relationship between inflammation and angiogenesis

      example - relationship between inflammation and angiogenesis - when you cut your finger and start bleeding, your wound will swell up - that's inflammation, your bodies immune system russhing in to fight bad bacteria - after a day or so, inflammation stops and it sends a signal to your body to begin creating new blood vessels - angiogenesis begins. - after awhile that stops as well and your body returns to the normal setpoint

    1. the castle rock of edinburgh

      for - example - concrescence - castle rock of Edinburgh

      example - concrescence - castle rock of Edinburgh - rocks ingress but have much less capacity than living organisms

    2. there's always a little bit of novelty with each new drop of experience and so 00:17:17 there's a kind of uh reality at its fundamental basis is a kind of evolving relationship among all of these white heads technical term again 00:17:30 actual occasions of experience

      for - definition - actual occasion of experience - Whitehead - definition - society - Whitehead - Whitehead - process relational ontology - adjacency - Whitehead's philosophy - morphic resonance

      definition - actual occasion of experience - Whitehead question - does Whitehead mean that reality itself is intrinsically evolutionary in nature and that it is constantly metamorphosizing? Is he making a claim similiar to Rupert Sheldrake's morphic resonance? Or we might say Sheldrake follows Whitehead

      Explanation - Whitehead's Process Relational Ontology - Passage below is explanation of Whitehead's Process Relational Ontology

      • There's always a little bit of novelty with each new drop of experience and so
      • There's a kind of reality
      • At its fundamental basis is a kind of evolving relationship among all of these
      • Whitehead's technical term again actual occasions of experience and
        • as they co-evolve new habits emerge and these habits allow nature at various scales to form what Whitehead calls societies
      • An example of a society of occasions or experiential events would be hydrogen atoms
      • The first hydrogen atoms which emerge i think a few hundred thousand years after the big bang represent the growing together of what had been distinct processes
        • protons and electrons
      • to form this relationship that would be enduring which we call the hydrogen atom
      • That's a society of actual occasions of experience that has formed
      • and then hydrogen atoms continue this evolutionary process and collect together into the first stars
      • and a star would be another example of a society of actual occasions of experience
      • and as these new forms of social organization are emerging over the course of cosmic evolution
        • what physics describes in terms of laws begin to take shape
      • but again for Whitehead these are not eternally fixed laws imposed on the process of evolution that's unfolding
      • Rather what we call laws
        • emerge from out of that process itself
        • as a result of the creative relationships being formed by these actual occasions of experience
      • So rather than speaking of laws imposed from outside,
        • Whitehead understands uh physical law
        • in terms of the habits which emerge over the course of time
          • as a result of relationships
      • So for Whitehead, the task of philosophy is really
        • to situate us in our experience
      • His is a is an experiential metaphysics and
        • as we've seen in our study of Goethe
        • the idea here is not to look behind or beyond experience for something which might be the cause of experience
        • The participatory approach to science that Goethe and Whitehead were both attempting to articulate
          • requires that we stay with experience
            • so metaphysics then
              • is not an effort to explain away our common sense experience
              • it's really the effort to bring logical coherence and consistency to experience
                • to find the all-pervasive relationships among various aspects of experience
      • And so science becomes the search for those relationships within experience
        • rather than the search for some mechanical explanation which would be
          • before,
          • behind or
          • beneath experience
    1. Instance methods Instances of Models are documents. Documents have many of their own built-in instance methods. We may also define our own custom document instance methods. // define a schema const animalSchema = new Schema({ name: String, type: String }, { // Assign a function to the "methods" object of our animalSchema through schema options. // By following this approach, there is no need to create a separate TS type to define the type of the instance functions. methods: { findSimilarTypes(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); } } }); // Or, assign a function to the "methods" object of our animalSchema animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); }; Now all of our animal instances have a findSimilarTypes method available to them. const Animal = mongoose.model('Animal', animalSchema); const dog = new Animal({ type: 'dog' }); dog.findSimilarTypes((err, dogs) => { console.log(dogs); // woof }); Overwriting a default mongoose document method may lead to unpredictable results. See this for more details. The example above uses the Schema.methods object directly to save an instance method. You can also use the Schema.method() helper as described here. Do not declare methods using ES6 arrow functions (=>). Arrow functions explicitly prevent binding this, so your method will not have access to the document and the above examples will not work.

      Certainly! Let's break down the provided code snippets:

      1. What is it and why is it used?

      In Mongoose, a schema is a blueprint for defining the structure of documents within a collection. When you define a schema, you can also attach methods to it. These methods become instance methods, meaning they are available on the individual documents (instances) created from that schema.

      Instance methods are useful for encapsulating functionality related to a specific document or model instance. They allow you to define custom behavior that can be executed on a specific document. In the given example, the findSimilarTypes method is added to instances of the Animal model, making it easy to find other animals of the same type.

      2. Syntax:

      Using methods object directly in the schema options:

      javascript const animalSchema = new Schema( { name: String, type: String }, { methods: { findSimilarTypes(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); } } } );

      Using methods object directly in the schema:

      javascript animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); };

      Using Schema.method() helper:

      javascript animalSchema.method('findSimilarTypes', function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); });

      3. Explanation in Simple Words with Examples:

      Why it's Used:

      Imagine you have a collection of animals in your database, and you want to find other animals of the same type. Instead of writing the same logic repeatedly, you can define a method that can be called on each animal instance to find similar types. This helps in keeping your code DRY (Don't Repeat Yourself) and makes it easier to maintain.

      Example:

      ```javascript const mongoose = require('mongoose'); const { Schema } = mongoose;

      // Define a schema with a custom instance method const animalSchema = new Schema({ name: String, type: String });

      // Add a custom instance method to find similar types animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); };

      // Create the Animal model using the schema const Animal = mongoose.model('Animal', animalSchema);

      // Create an instance of Animal const dog = new Animal({ type: 'dog', name: 'Buddy' });

      // Use the custom method to find similar types dog.findSimilarTypes((err, similarAnimals) => { console.log(similarAnimals); }); ```

      In this example, findSimilarTypes is a custom instance method added to the Animal schema. When you create an instance of the Animal model (e.g., a dog), you can then call findSimilarTypes on that instance to find other animals with the same type. The method uses the this.type property, which refers to the type of the current animal instance. This allows you to easily reuse the logic for finding similar types across different instances of the Animal model.

      Certainly! Let's go through each part and explain it in simple terms: ### 1. `this` in Mongoose: - **What is `this`?** In JavaScript, `this` refers to the current context or object. In Mongoose, particularly within methods and middleware functions, `this` represents the instance (document) the function is currently operating on. - **Why is it used?** `this` is used to access and modify the properties of the current document. For example, in a Mongoose method, `this` allows you to refer to the fields of the specific document the method is called on. ### 2. Example: Let's use the `userSchema.pre("save", ...)`, which is a Mongoose middleware, as an example: ```javascript userSchema.pre("save", async function (next) { if (!this.isModified("password")) { next(); } else { this.password = await bcrypt.hash(this.password, 10); next(); } }); ``` - **Explanation in Simple Words:** - Imagine you have a system where users can sign up and set their password. - Before saving a new user to the database, you want to ensure that the password is securely encrypted (hashed) using a library like `bcrypt`. - The `userSchema.pre("save", ...)` is a special function that runs automatically before saving a user to the database. - In this function: - `this.isModified("password")`: Checks if the password field of the current user has been changed. - If the password is not modified, it means the user is not updating their password, so it just moves on to the next operation (saving the user). - If the password is modified, it means a new password is set or the existing one is changed. In this case, it uses `bcrypt.hash` to encrypt (hash) the password before saving it to the database. - The use of `this` here is crucial because it allows you to refer to the specific user document that's being saved. It ensures that the correct password is hashed for the current user being processed. In summary, `this` in Mongoose is a way to refer to the current document or instance, and it's commonly used to access and modify the properties of that document, especially in middleware functions like the one demonstrated here for password encryption before saving to the database.

    Tags

    Annotators

    URL

    1. It's also common to want to compute the transitive closure of these relations, for instance, in listing all the issues that are, transitively, duped to the current one to hunt for information about how to reproduce them.
    2. We use GitLab to manage software on interconnected embedded systems. What often comes up is this: New functionality on one system changes the protocol in a slightly incompatible way. Software on other systems have to be updated to understand the new protocol, take advantage of the new functionality, and stop complaining about the unexpected data. For this I would create multiple issues: Issues for the new functionality that we need. (Project A) Issue for defining the protocol changes. (Project A) Issue for implementing the protocol changes on the module. (Project A) Issues in related software projects for implementing the changes required to understand the new protocol. (Project B, C, D...)
    1. In 2017, Facebook mistranslated a Palestinian man’s post, which said “good morning” in Arabic, as “attack them” in Hebrew, leading to his arrest.
      • for: example - progress trap - AI - mistranslation
    1. since then, American families have lost more than $7 trillion in equity in their homes. There's been a lot of foreclosures, but guess who's buying up those foreclosed homes? 00:12:49 It's big capital. They're stepping in and now they're financializing houses.
      • for: speculative investing - housing, speculative investing - antidote - example - Cincinnati

      • description

        • speculative institutional investors have bought up trillions of dollars of foreclosure homes and increase profits for their shareholders by:
          • neglecting maintenance
          • raising rents
          • pursuing aggressive evictions
      • speculative investing - antidote - example

        • In Cincinnati, the Port of Cincinnati bought back 200 homes from private equity firms and did the opposite
          • stabilize rents
          • perform required maintenance
          • training renters to become home owners
    2. I have a financial advisor who came to me with an investment opportunity, not that I'm some big mucky muck, but I have a little bit of investments and it was investing in wind. And I read through the materials and I was, and I went to my advisor and I said, so am I actually investing in the productive growth and development of wind farms?
      • for: example - financial investor ignorance

      • speculative investing - example

        • Marjorie tells the story of her financial investor who was clueless about whether this investment she was advocating for was derivatives that invest nothing in production and development of wind technology, or not.
    3. when we're investing in the stock market, we're mostly just hoping that the value of those shares will rise. That money is not actually reaching companies and being used in productive ways. And that's true. We can see it with private equity too.
      • for: speculative investing - example

      • example - speculative investing

        • stock market
          • money is not reaching companies and being used in a productive way
          • part of it must be, but whenever shareholders take earnings, then it's extracted out
        • private equity
          • when private equity firms buy companies then layoff staff and cut back spending on services, they pocket all that money for the shareholders. It's a way for the rich to maintain their supremacy position
      • comment

        • In its simplest expression, it is greed in action
        • It is what maintains the 1% / 99% divide
      • epiphany

      • new meme
        • We need to replace WALL street with WELL street!
  3. Dec 2023
    1. She is hopeful when she approaches a house with solar panels on the roof and an electric car in the driveway.
      • for: example - political polarization, example - trumpism, example - anti- vaxxers, example - conspiracy theories, nonduality - political polarization

      • example: political polarization

        • classic dualistic categories will always fail to capture the complexity
        • indyweb mindplex's could reveal the nuances
    1. Sweden they decided oh we need to have 100% carbon free electricity they decided on a design they built 10 nuclear power plants and 01:21:11 they went in a decade to carbon free energy well Germany's been working for decades and they're not anywhere near
      • for: example - nuclear decarbonization - Denmakr
      • for: climate crisis - debate - community action, climate crisis - discussion - community action, indyweb - curation example

      • discussion: effectiveness of community action to address climate crisis

        • This is a good discussion on the effectiveness of community action to address the climate crisis.
        • It offers a diverse range of perspectives that can all be mapped using SRG trailmark protocol and then data visualized within Indyweb via cytoscape
    1. One obstacle to applying reinforcement learning algorithms to real-world problems is the lack of suitable reward functions.

      Example

    1. i think it's more likely that 00:49:59 that we will think we will think that we this particular set of procedures ai procedures that we linked into our strategic nuclear weapons system uh will keep us safer but we haven't recognized that they're 00:50:12 unintended that there are consequences glitches in it that make it actually stupid and it mistakes the flock of geese for an incoming barrage of russian missiles and and you know unleashes everything in response 00:50:25 before we can intervene
      • for: example - stupid AI - nuclear launch, AI - progress trap - example - nuclear launch
    2. there's this broader issue of of being able to get inside other people's heads as we're driving down the road all the time we're looking at other 00:48:05 people and because we have very advanced theories of mind
      • for: comparison - AI - HI - example - driving, comparison - artificial i human intelligence - example - driving
    1. many people are complex systems thinkers even though they don't know it
      • for: example - systems thinking, quote -: many people are complex systems thinkers

      • quote:

        • many people are complex systems thinkers even though they don't know it
      • Thomas Homer-Dixon
      • date: 2023

      • examples: complex systems clichés

        • the whole of greater than the sum of its parts
          • nonlinearities
        • the straw that broke the camels back
          • emergence
      • comment

        • the first one could be that systems are not the same as just all the parts
        • the second one could also represent Tipping points and nonlinearities of complex systems
    2. we're all deeply embedded in these problems
      • for; example - Wicked problem

      • example: Wicked problem

    3. two tablespoons of crude oil contain as much free energy as would be expended by an adult male laborer in a day you every time you fill up your gas tank if you still have a gas tank uh 00:59:48 you're putting is you're putting two years of manual labor in that in that gas tank
      • for: fossil fuel energy density - example

      • example : energy density of fossil fuel

        • 2 tablespoons of fossil fuel containsv the energy equivalent of one full day of human
        • one full average gasoline tank is equivalent to 2 years of human labour
    1. almost all wealthy countries now is dominated 00:13:37 by the car it's not about moving people it's about moving lumps of metal around with one person in them You' have to move away from that
      • for: inefficiencies - example - cars, low carbon futures - reduce cars
    1. describe AuthenticateUser do subject(:context) { described_class.call(username, password) } describe '.call' do context 'when the context is successful' do let(:username) { 'correct_user' } let(:password) { 'correct_password' } it 'succeeds' do expect(context).to be_success end end context 'when the context is not successful' do let(:username) { 'wrong_user' } let(:password) { 'wrong_password' } it 'fails' do expect(context).to be_failure end end end end
    1. Modern cars, however, use a single stick that pivots around among the gears. It's designed in such a way that, on a modern stick-shift car, it is not possible to engage two gears at the same time.
    1. the modern economic system the modern Financial system is based on the same 00:11:02 principle the most successful fiction ever created is not any God it's money
      • for: example - fiction - money

      • comment

        • money is also a fiction, possibly the most powerful one humans have ever created.
    2. we are certainly special I mean 00:02:57 no other animal rich the moon or know how to build atom bombs so we are definitely quite different from chimpanzees and elephants and and all the rest of the animals but we are still 00:03:09 animals you know many of our most basic emotions much of our society is still run on Stone Age code
      • for: stone age code, similar to - Ronald Wright - computer metaphor, evolutionary psychology - examples, evolutionary paradox of modernity, evolution - last mile link, major evolutionary transition - full spectrum in modern humans, example - MET - full spectrum embedded in modern humans

      • comment

      • insights

        • evolutionary paradox of modernity
          • modern humans , like all the living species we share the world with, are the last mile link of the evolution of life we've made it to the present, so all species of the present are, in an evolutionary sense, winners of their respective evolutionary game
          • this means that all our present behaviors contain the full spectrum of the evolutionary history of 4 billion years of life
          • the modern human embodies all major evolutionary transitions of the past
          • so our behavior, at all levels of our being is a complex and heterogenous mixture of evolutionary adaptations from different time periods of the 4 billion years that life has taken to evolve.
          • Some behaviors may have originated billions of years ago, and others hundred thousand years ago.
      • Examples: humans embody full spectrum of METs in our evolutionary past

        • fight and flight response
          • early hominids on African Savannah hundreds of thousands to millions of years ago when hominids were predated upon by wild predators
        • cancer
          • normative intercell communication breaks down and reverts to individual cell behavior from billions of years ago
            • see Michael Levin's research on how to make metastatic cancer cells return to normative collective, cooperative behavior
        • children afraid to sleep in the dark
          • evolutionary adaptation against dangerous animals that might have hid in the dark - dangerous insiects, snakes, etc, which in the past may have resulted in human fatalities
        • obesity
          • hunter gatherer hominid attraction to rich sources of fruit. Eating as much of it as we can and maybe harvesting as much as we can and carrying that with us.
            • like squirrels storing away for the winter.
  4. Nov 2023
    1. the jarrow have even worse things to tell us they're offering us tobacco and they want to show us how to chew it 00:07:28 it's not good for us they give us alcohol we don't want that either but they still try and make us drink it we don't want any it's bad
      • for: example - cultural destruction - Jawara - cigarettes and alcohol, example - indigenous genocide, example - forced addiction

      • comment

      • example - cultural destruction
      • example - indigenous genocide
      • example: forced addiction
        • Growing up in Canada in an indigenous community, this struck a nerve.In my childhood, I experience how the Haida first nations people of the Queen Charlotte Islands were reduced from a once proud and self-reliant culture to a dependent one living in government housing, the land they lived on denied to them and forced to live on small parcels of "Indian Reservations", their dignity stripped, and made dependent on alcohol and cigarettes.
        • It seems that modernity is simply an arrogant and corrupting force on indigeneity.
        • We see the beginning of indigenous genocide by the attempted infection by ignorant modern citizens who interact with the Jawara by attempting to hook them on the extremely destructive and addictive substances of our culture, alcohol and cigarettes
    2. there are armed poachers who shoot at us they steal they kill our pigs we think about it all the time 00:06:53 after the wild pigs it's deer their numbers have decreased dramatically since the poachers forced the jarrow to hunt for them wild game is being sold illegally on the 00:07:12 indian market
      • for: cultural destruction - Jawara - poachers, modernity - disruption of ecological cycle, example - ecosystem disruption

      • comment

      • example: ecosystem disruption
      • example: human cultural ecosystem in balance
      • the uncontrolled influence of the outside world always follows. Governments are too shortsighted to understand that this always happens and feel they can control the situation. They cannot. Greed breeds resourcefulness
        • In a matter of years, poachers have disrupted the Jawara's traditional diet, forcing them to overhunt deer and disrupt the entire ecological cycle that existed up until then.It's an example of how modernity ruthlessly and rapidly disrupts ecosystems. In this case, ecosystems where humans have integrated in a balanced way.
      • for: Ross Chapin, Pocket Neighborhood - example - Langley Washington

      • comment

        • Pocket neighborhood pioneer introduces an example of a pocket neighborhood
    1. permanent security”
      • for: definition - permanent security, examples - permanent security

      • definition: permanent security

        • Extreme responses by states to security threats, enacted in the name of present and future self defence.
        • Permanent security actions target entire civilian populations under the logic of ensuring that terrorists and insurgents can never again represent a threat. It is a project, in other words, that seeks to avert future threats by anticipating them today.
      • example: permanent security

        • Russian-Ukraine war
          • Vladimir Putin reasons that Ukraine must be forcibly returned to Russia so that it cannot serve as a launching site for NATO missiles into Russia decades from now.
        • Myanmar-Rohingya conflict
          • The Myanmarese military sought to squash separatism by expelling and killing the Rohingya minority in 2017
        • China-Uyghur conflict
          • China sought to pacify and reeducate Muslim Uyghurs by mass incarceration to forestall their striving for independence forever
        • Israel-Palestine conflict
          • Israel seeks to eliminate Hamas as a security threat once and for all after the 2023 Hamas attack on Israel
        • US-Iraq-Afghanistan
          • The US sought to eliminate Saddam Hussein's nuclear capabilities and to eliminate Osama Bin Laden for his bombing of the World Trade center.
    1. there's a microbe in the mouth called fusobacterium nucleotide it over proliferates it's okay to have normally but it over proliferates when 01:28:39 you have bleeding gums gingivitis or periodontitis where it then enters the bloodstream this is called translocation and colonize the colon and the evidence is very good it is a principal cause of 01:28:52 colon cancer colon cancer starts in the mouth incredibly and doesn't get there by swallowing gets her through the bloodstream translocation
      • for:holistic medicine - example - oral microbiome and colon cancer, oral microbiome - colon cancer, bleeding gums - colon cancer, gingivitus - colon cancer, periodontitis - colon cancer, bloodstream translocation, complexity - example - human body - colon cancer - oral microbiome

      • comment

        • colon cancer starts in the mouth!
      • references

        • Oral-Intestinal Microbiota in Colorectal Cancer: Inflammation and Immunosuppression (2022)

          • https://www.ncbi.nlm.nih.gov/pmc/articles/PMC8824753/
          • Abstract
            • It is widely recognized that microbial disorders are involved in the pathogenesis of many malignant tumors.
            • The oral and intestinal tract are two of the overriding microbial habitats in the human body. Although they are anatomically and physiologically continuous, belonging to the openings at both ends of the digestive tract, the oral and intestinal microbiome do not cross talk with each other due to a variety of reasons, including
              • intestinal microbial colonization resistance and
              • chemical barriers in the upper digestive tract.
            • However, this balance can be upset in certain circumstances, such as
              • disruption of colonization resistance of gut microbes,
              • intestinal inflammation, and
              • disruption of the digestive tract chemical barrier.
            • Evidence is now accruing to suggest that the oral microbiome can colonize the gut, leading to dysregulation of the gut microbes.
            • Furthermore, the oral-gut microbes create an
              • intestinal inflammatory and
              • immunosuppressive microenvironment
            • conducive to
              • tumorigenesis and
              • progression of colorectal cancer (CRC).
            • Here, we review
              • the oral to intestinal microbial transmission and
              • the inflammatory and immunosuppressive microenvironment, induced by oral-gut axis microbes in the gut.
            • A superior comprehension of the contribution of the oral-intestinal microbes to CRC provides new insights into the prevention and treatment of CRC in the future.
        • Insights into oral microbiome and colorectal cancer – on the way of searching new perspectives (2023)

          • https://www.frontiersin.org/articles/10.3389/fcimb.2023.1159822/full
          • Abstract
            • Microbiome is a keystone polymicrobial community that coexist with human body in a beneficial relationship.
            • These microorganisms enable the human body to maintain homeostasis and take part in mechanisms of defense against infection and in the absorption of nutrients.
            • Even though microbiome is involved in physiologic processes that are beneficial to host health, it may also cause serious detrimental issues.
            • Additionally, it has been proven that bacteria can migrate to other human body compartments and colonize them even although significant structural differences with the area of origin exist.
            • Such migrations have been clearly observed when the causes of genesis and progression of colorectal cancer (CRC) have been investigated.
            • It has been demonstrated that the oral microbiome is capable of penetrating into the large intestine and cause impairments leading to dysbiosis and stimulation of cancerogenic processes.
            • The main actors of such events seem to be oral pathogenic bacteria belonging to the red and orange complex (regarding classification of bacteria in the context of periodontal diseases), such as
              • Porphyromonas gingivalis and
              • Fusobacterium nucleatum respectively,
            • which are characterized by significant amount of cancerogenic virulence factors.
            • Further examination of oral microbiome and its impact on CRC may be crucial on early detection of this disease and would allow its use as a precise non-invasive biomarker.
    1. The next article in this series, “Regular Expression Matching: the Virtual Machine Approach,” discusses NFA-based submatch extraction. The third article, “Regular Expression Matching in the Wild,” examines a production implementation. The fourth article, “Regular Expression Matching with a Trigram Index,” explains how Google Code Search was implemented.

      Russ's regular expression article series makes for a good example when demonstrating the Web's pseudomutability problem. It also works well to discuss forward references.

    1. All major breakthroughs in science stem from a form of epoche.
      • for: epoche - examples - science, quote - epoche - paradigm shift

      • quote

        • All major breakthroughs in science stem from a form of epoche.
      • example: epoche scientific paradigm shift

        • Galileo, when looking at how the Sun seems to revolve around the Earth, bracketed the common belief that the Earth itself is immovable.
        • Newton, when interpreting gravity as action at a distance, bracketed the belief that any form of action should occur through material contact.
        • Einstein explored the consequences of Maxwell's equations, while bracketing all the presuppositions that had been used to derive those equations in the first place, including the absolute character of space and time. From purely phenomenological thought experiments, he thus derived the relativity of space and time, together with the precise rules according to which they can be transformed into each other.
        • Bohr bracketed the notion that a particle must have a definite state before one makes a measurement, when he developed his Copenhagen interpretation of quantum mechanics.
    1. I 01:00:30 think that a proper version of the concept of synchronicity would talk about multiscale patterns so that when you're looking at electrons in the computer you would say isn't it amazing that these electrons went over here and 01:00:42 those went over there but together that's an endgate and by the way that's part of this other calculation like amazing down below all they're doing is following Maxwell's equations but looked at at another level wow they just just 01:00:54 computed the weather in you know in in Chicago so I I I think what you know I it's not about well I was going to say it's not about us and uh and our human tendency to to to to pick out patterns 01:01:07 and things like but actually I I do think it's that too because if synchronicity is is simply how things look at other scales
      • for: adjacency - consciousness - multiscale context

      • adjacency between

        • Michael's example
        • my idea of how consciousness fits into a multiscale system
      • adjacency statement
        • from a Major Evolutionary Transition of Individuality perspective, consciousness might be seen as a high level governance system of a multicellular organism
        • this begs the question: consciousness is fundamentally related to individual cells that compose the body that the consciousness appears to be tethered to
        • question: Is there some way for consciousness to directly access the lower and more primitive MET levels of its own being?
    2. when we work on cancer what you see is that when when 00:30:18 individual cells electrically disconnect from the rest of the body they their cognitive light cone shrinks they're back to their amoeba tiny little e gos and as far as they're concerned the rest of the body is just environment to them
      • for: MET of individuality - examples of breakdown - cancer

      • paraphrase

        • cancer is an example of when some part of the evolutionary program that coheres multicellularity into a cohesive whole goes faulty
          • then some subset of cells lose their coherence programming / story / narrative, the unity is lost and that cellular subset no longer identifies as part of the higher order collective individual, but return to a much more evolutionarily primitive state of pre-MET of individuality
        • this means that the MET individuality coherence program has weaknesses that can cause groups of cells to lose sight of the unifying logic and return to the primitive state
        • cancer demonstrates that these primitive programs still exist in all cells in our bodies and when the regulating coherence program is faulty, they can return to these more primitive states
  5. Oct 2023
    1. Toillustrate this principle, an HTML page typically provides the user with a num-ber of affordances, such as to navigate to a different page by clicking a hyperlinkor to submit an order by filling out and submitting an HTML form. Performingany such action transitions the application to a new state, which provides theuser with a new set of affordances. In each state, the user’s browser retrievesan HTML representation of the current state from a server, but also a selec-tion of next possible states and the information required to construct the HTTPrequests to transition to those states. Retrieving all this information throughhypermedia allows the application to evolve without impacting the browser, andallows the browser to transition seamlessly across servers. The use of hyperme-dia and HATEOAS is central to reducing coupling among Web components, andallowed the Web to evolve into an open, world-wide, and long-lived system.In contrast to the above example, when using a non-hypermedia Web service(e.g., an implementation of CRUD operations over HTTP), developers have tohard-code into clients all the knowledge required to interact with the service.This approach is simple and intuitive for developers, but the trade-off is thatclients are then tightly coupled to the services they use (hence the need for APIversioning).
    1. a biologically driven cryptic cycle was determined by identifying metabolically active sulfate reducing and sulfur oxidizing lineages co-locating within the sediments, effectively masking sulfide production through re-oxidation back to sulfate.
    1. when your lover or your partner says to you or maybe you say it to your partner 00:37:21 you never tell me that you love me
      • for: example, example - double bind, you never tell me that you love me

      • example: double bind

        • you never tell me that you love me
        • parent encouraging children to be independent but then asking them " don't you love me?"
        • encouraging children to speak their mind but then having standardized test scores
        • having to work to stay alive but sacrificing being with our children, aged parents or other loved ones in order to do so
        • maintaining our current precarious lives working at destructive and meaningless jobs in order to survive
      • comment

        • these examples seem to be more indicative of contradiction than multiple contexts
    2. for example you know that there are kids that are not getting the nutrition that they need and part of the behavior issues that you're seeing in classrooms has to do with a lack of 00:30:11 nutrition or um especially you know reactions to various forms of gluten and or pesticides are increasingly coming in as being associated with behavioral and 00:30:25 social issues so does that mean that agriculture is responsible for education
      • for: example, example - decontextualized problems, interconnected problems, intertwingled problems, entangled problems

      • example: unintended consequences of:

        • agricultural on education
        • tourism and air transportation on clean air and respiratory human health
    3. though the language of the poly crisis 00:32:26 is very abstract and Global and it has you know it rings of news media it rings of whatever social media memes of graphs 00:32:39 it's over there somewhere but meanwhile we have individuals who are in the repercussions of these combined crises and their economy is not going well 00:32:56 their family is over stressed their home is is is is producing chemicals that are affecting them their food

      -for: similar to, similar to - metacrisis example

    4. every time we try to pick at one piece of this polycrisis we end up actually creating problems in other contexts
      • for: polycrisis, quote, quote - polycrisis, quote - Nora Bateson

      • quote

        • every time we pick at one piece of those polycrisis we end up actually creating more problems in other contexts
      • author: Nora Bateson

      • example

        • climate change If we do, all emissions suddenly, we will create an economic crisis, then without money, a health and social crisis
    1. By the way this an example of an excellent lab website/research section with different pointers for different scientific fields and general public also!

    1. it's hard to people to understand that you can be victim and perpetrator at the 00:35:03 same time it's a very simple fact impossible to accept for most people either you're a victim or you're perpetrator there is no other but no usually we are both you know from the level of individuals how we behave in 00:35:17 our family to the level of entire nations we are usually both and and and of course perhaps one issue is that we don't feel like that as individuals we don't feel that we have the full responsibility for our state so there's 00:35:28 a sort of strange problem here too which is that you feel as an individual that you're a victim and you feel distance from your state
      • for: victim AND perpetrator, situatedness, perspectival knowing, AND, not OR, abused-abuser cycle, individual /collective gestalt, Hamas Israel war 2023

      • quote

        • It's hard for people to understand that you can be victim and perpetrator at the same time
        • It's a very simple fact impossible to accept for most people
      • author: Yuval Noah Harari
      • date: Sept 2023
    1. Are both governments more incentivized to the status quo than a true peace? Yes. Because mortal enemies help us justify the things that we already want to do.
      • for: confirmation bias, example - confirmation bias
    1. let's just pick an example of convergent evolution so you see here this is a classic example you have 00:11:24 um the arm or the leg in certain animals the four leg or the arm in the human or the wing of a bird and they're com they consist of all of the same bones more or 00:11:37 less
      • for: example, example - evolutionary convergence, evolutionary convergence - arms of different species
    2. the great Oliver Sacks once said a neuron is a neuron more or less regardless of species neurons do largely similar sorts 00:10:34 of things regardless of what animal you may find them in f
      • for: example, example - evolutionary convergence, evolutionary convergence - neuron. Oliver Sachs
    3. Cambrian is kind of a sensory 00:13:18 it's kind of a a a Renaissance of uh sensory richness and it presents the sensory World in three dimensions which introduces certain challenges to animals and in the case of invertebrates you can 00:13:34 see there was a verb veritable explosion of of invertebrates and in in particular invertebrates with different kinds of eyes
      • example: evolutionary convergence
        • during Cambrian explosion, over a period of 40 million years, a diverse range of species developed with the ability to see
    4. the idea of evolutionary convergence is relatively simple it's the idea that similar environmental conditions can give rise 00:09:05 to similar biological adaptations
      • for: definition, definition - evolutionary convergence, evolutionary convergence

      • definition: evolutionary convergence

        • similar environmental conditions can give rise to similar biological adaptations
      • example: evolutionary convergence
        • during Cambrian explosion, over a period of 40 million years, a diverse range of species developed with the ability to see
        • a number of species have the same arm appendages:
          • human
          • bird
          • bat
    1. an open problem really is and a 00:44:38 really good question is how we are defining a word and the unit the unit of analysis and so at the moment we are using our human discretion to to determine this in many cases like where 00:44:52 does a single Beluga call start and end um we're limited by our own perceptual abilities and what we can hear and and see in a spectrogram and so that does leave some room for error
      • for: perspectival knowing, example - perspectival knowing, situatedness, example - situatedness, interspecies communication - perspectival knowing

      • comment

        • situated within our own species, we are interpreting the signs from other species from OUR HUMAN PERSPECTIVE
        • this requires deep unpacking and brings up deep philosophical questions about what it means to be a species X
        • what's it like to be a bat? Unless we have the bat's physiology, neural structure, etc, how could we ever know how to interpret how a bat experiences reality?
      • reference

    1. Eukaryotic single-celled organisms appear in the fossil record perhaps by 1.6 BYA (Knoll et al., 2006). Yet for a “boring billion” years of evolutionary history, they remain minor components in bacterial-dominated ecosystems before explosively radiating as large, multicellular species in an Ediacaran and Cambrian MST. Eukaryotes are obviously essential for this MST, as all animals, plants and fungi are eukaryotes. However, the initial appearance of eukaryotic cells seems insufficient for a MST.
      • for: example, example - MET and FET insufficient for MST

      • example: MET and FET insufficient for MST

      • paraphrase

        • Eukaryotic single-celled organisms appear in the fossil record by approx. 1.6 BYA (Knoll et al., 2006).
        • Yet for a “boring billion” years of evolutionary history, they remain minor components in bacterial-dominated ecosystems
          • before explosively radiating as large, multicellular species in
            • an Ediacaran and
            • Cambrian MST.
        • Eukaryotes are obviously essential for this MST, as all
          • animals,
          • plants and
          • fungi
        • are eukaryotes.

        • However, the initial appearance of eukaryotic cells seems insufficient for a MST

    1. the "Drawing on the Right Side of the Brain" lady, shows these two tables
    2. And to prove it, she says, "The exact size and shape of these tabletops is the same, and I'm going to prove it to you." She does this with cardboard, but since I have an expensive computer here I'll just rotate this little guy around and ... Now having seen that -- and I've seen it hundreds of times, because I use this in every talk I give -- I still can't see that they're the same size and shape, and I doubt that you can either. So what do artists do? Well, what artists do is to measure. They measure very, very carefully. And if you measure very, very carefully with a stiff arm and a straight edge, you'll see that those two shapes are xactly the same size. And the Talmud saw this a long time ago, saying, "We see things not as they are, but as we are." I certainly would like to know what happened to the person who had that insight back then,

      Example of the tables

  6. Sep 2023
    1. esearchers in 2019 did this at University of Tel Aviv and they took a primrose flower and they would play different sounds 00:06:03 to the flower and they would play you know like traffic noises low noises bat noises High noises and then the sounds of approaching pollinator and only when they approached or played the sounds of an approaching pollinator 00:06:15 did the flowers respond and they respond by producing more and sweeter nectar within just a couple of seconds right so the flowers hear the B through its petals 00:06:26 and get excited okay so plants can here
      • for: example - animal-plant communication, bee-flower communication, bee - primrose flower communication, communication - animal - plant, communication - bee - flower, 2019 University of Tel Aviv study
    2. another incredible study that the same university did right after where they're like okay but can they speak and so they 00:06:42 actually stressed out tobacco plants um they would either like cut them or dehydrate them sort of plant torture um and when they did the more dehydrated that the plants got the more they would emit sound 00:06:55 um these and not quietly it's at the sound of human hearing um just up at 50 or 60 kilohertz

      example, example - communication - plant, tobacco plant communication

      • for: climate change - false binary, jobs vs environment, example, example climate change - false binary, climate departure, leverage point

      • example: false environmental binary

        • activists need to better communicate the false binary that climate denialists keep using to pull the wool over people's eyes.
        • jobs vs environment ignores the short term threat of environmental degradation
        • this is where participatory climate departure can show the threat in a visceral, concrete way that is far more compelling you the average person than any intellectual attempt to explain the differences example - climate change - false binary
    1. we, as humans, have very limited capacity and finely-honed ability to see intelligence in medium-sized objects moving at medium speeds through three-dimensional space. So we see other primates and we see crows and we see dolphins, 00:03:34 and we have some ability to recognize intelligence. But we really are very bad at recognizing intelligence in unconventional embodiments where our basic expectations strain against this idea that there could be intelligence in something extremely small or extremely large.
      • for: example, example - human umwelt

      • example: human umwelt

    1. the Bodhisattva vow can be seen as a method for control that is in alignment with, and informed by, the understanding that singular and enduring control agents do not actually exist. To see that, it is useful to consider what it might be like to have the freedom to control what thought one had next.
      • for: quote, quote - Michael Levin, quote - self as control agent, self - control agent, example, example - control agent - imperfection, spontaneous thought, spontaneous action, creativity - spontaneity
      • quote: Michael Levin

        • the Bodhisattva vow can be seen as a method for control that is in alignment with, and informed by, the understanding that singular and enduring control agents do not actually exist.
      • comment

        • adjacency between
          • nondual awareness
          • self-construct
          • self is illusion
          • singular, solid, enduring control agent
        • adjacency statement
          • nondual awareness is the deep insight that there is no solid, singular, enduring control agent.
          • creativity is unpredictable and spontaneous and would not be possible if there were perfect control
      • example - control agent - imperfection: start - the unpredictability of the realtime emergence of our next exact thought or action is a good example of this
      • example - control agent - imperfection: end

      • triggered insight: not only are thoughts and actions random, but dreams as well

        • I dreamt the night after this about something related to this paper (cannot remember what it is now!)
        • Obviously, I had no clue the idea in this paper would end up exactly as it did in next night's dream!
    2. The scope of the Bodhisattva’s sphere of measurement and modification is not just seemingly infinite, but actually so, because a Bodhisattva’s scope and mode of engagement are not defined by the intrinsically limiting frame of one individual mind. Instead, it is shaped and driven by the infinity of living beings, constituting infinitely diverse instances of needs and desires in time and space.
    1. here's one familiar example here we start with a caterpillar this is 00:07:12 a creature that lives in a in a largely two-dimensional world that crawls around on flat surfaces it chews leaves and it has a brain appropriate for that purpose it has to turn into a butterfly
      • for: morphogenesis, morphogenesis - example - butterfly
      • paraphrase
        • the caterpillar is a soft-bodied creature that lives in a in a largely two-dimensional world that:
          • crawls around on flat surfaces
          • chews leaves and
          • has a brain appropriate for that purpose
        • it has to turn into a butterfly which is a hard-bodied creature that
          • lives in a three-dimensional world
          • has to fly it has to drink nectar
          • needs a completely different brain suited to a hard-bodied organism
        • in between what happens is during this process the brain is largely largely destroyed
          • most of the connections are broken down
          • most of the cells die and and
          • the new brain is rebuilt during the lifetime of the organism
        • this kind of change makes the the confusion of puberty seemed like child's play
        • This is a single agent radically changing its brain and its body
        • The amazing thing about it is that it has been shown that the memories that the caterpillar acquires are retained in the moth or butterfly
        • Despite the disaggregation of the brain, some information is able to make it across to the butterfly or moth
    1. There are many simple use cases like pagination (when “21 items / 10 per page” should yield “3 pages”).
    2. make_a_class::CONST = 42.tap { puts "Calculating the value" } # Prints: # In Ruby 3.1: # Calculating the value # Making a class # In Ruby 3.2: # Making a class # Calculating the value # Even simpler: NonExistentModule::CONST = 42.tap { puts "Calculating the value" } # Ruby 3.1: # Prints "Calculating the value" # raises "uninitialized constant NonExistentModule" (NameError) # Ruby 3.2: # just raises "uninitialized constant NonExistentModule" (NameError)
    1. that's that is the Dirty Little Secret 00:12:08 of where we're at right now with Americans at each other's throats politically it's being created caused on purpose by the Chinese and the Russians who are manipulating people 00:12:22 through um use of phony websites and other disinformation campaigns being run which is a type of warfare that's being run 00:12:34 against the American people and they're falling for it
      • for: example, example - internet flaws, polarization, disinformation,, example - polarization, political interference - Russia, political interference - China
      • example: polarization, internet flaws
  7. Aug 2023
    1. he "Old Man of La Chapelle", for example, is the name given to the remains of a Neanderthal who lived 56,000 years ago, found buried in the limestone bedrock of a small cave near La Chapelle-aux-Saints, in France in 1908.
      • for: life expectancy - ancestors - example
      • example
      • paraphrase
        • The "Old Man of La Chapelle", is the name given to the remains of a Neanderthal who lived 56,000 years ago,
          • found buried in the limestone bedrock of a small cave near La Chapelle-aux-Saints, in France in 1908.
        • He was found to have had arthritis, bone regrowth along the gums where he lost several teeth.
    1. the problems I've mentioned are being tackled by groups of people 00:11:18 sad thing is those people are often operating in silos just concerned to solve their particular problem not realizing that if they don't have the whole picture they may solve their 00:11:31 problem and cause problems in other places
      • for: indyweb, silos, emptiness - example, entanglement - example, progress trap
      • paraphrase
      • quote
        • all the problems I've mentioned are being tackled by groups of people
        • sad thing is those people are often operating in silos just concerned to solve their particular problem
          • not realizing that if they don't have the whole picture they may solve their problem
          • and cause problems in other places
      • author
        • Jane Goodall
      • comment
        • the Indyweb and SRG strategy is designed specifically to mitigate progress traps through radical collaboration built into the communication and information system itself.
    2. if you're very poor then you're living in some kind of Wilderness Area you're going to destroy the environment in order to survive let me take for 00:08:05 example Gumby Street National Park in 1960 it was part of the Great Forest built by the late 1980s was a tiny Islander forest and all the hills around were bare more people living there in 00:08:19 the land could support two poor to buy food elsewhere struggling to survive cutting down the trees to make money from charcoal or Timber or to make more land grow more food and that's when it 00:08:33 hit me if we don't help these people these local communities find ways of living without destroying the environment we can't save chimpanzees forests or anything else so we need to 00:08:46 alleviate poverty
      • for: inequality, poverty, W2W, Jane Goodall, socio-ecological system, climate justice, emptiness - example, entanglement - inequality and climate crisis
      • key insight
        • if you're very poor and you're living in some kind of Wilderness Area
          • you're going to destroy the environment in order to survive
          • example: Gumby Street National Park
            • in 1960 it was part of the Great Forest
            • but by the late 1980s was a tiny Islander forest and all the hills around were bare
            • more people living there than the land could support
            • too poor to buy food elsewhere
              • struggling to survive
              • cutting down the trees to make money from charcoal or Timber
              • or to make more land grow more food and
            • that's when it hit me
              • if we don't help these people these local communities find ways of living without destroying the environment
              • we can't save chimpanzees forests or anything else so we need to alleviate poverty
      • comment
        • This is why the inequality crisis is entangled with the climate crisis
  8. Jul 2023
    1. Winston Churchill had a secret 01:47:06 that the Germans didn't know during the middle of the war. The secret was this. They had cracked the Nazi enigma codes.
      • example
        • difficult choices for people in power
          • Winston Churchill breaks Enigma code
          • Knowledge that an Australian ship was going to be torpedoed by the Nazis but Churchill could not prevent it
          • He made the choice to allow hundreds of sailors die to save millions of people who would have died had the Nazis found out that the Enigma code was broken
    2. when you see that the rates of domestic abuse among police officers in the United States is higher than the general average in the public. So, you know, when you think about why that's happening, perhaps it's that the job is making them a bit more on edge or causing them to behave in certain ways. I think what's more likely is that people who are abusive 01:32:41 are disproportionately likely to seek out a job in which you can abuse people. Now, this is not to say that police officers are bad people, but it is to say that, for the slice of the population that is abusive, especially the people who like to wield power and carry a gun and terrorize people, for them, as one of the police officers in London told me who's in charge of recruitment for the Metropolitan Police, she said to me, "Look, if you're an abusive bigot, 01:33:06 policing is an attractive career choice. It doesn't mean that police officers are generally abusive bigots. It means that for that slice of the population, they like the idea of being able to professionally abuse people."
      • self-selection effect
        • example
          • police
            • it is likely that abusive, controlling people are on average, more attracted to being police officers because they can control and abuse others in that position
    3. Doraville, Georgia.
      • Example
        • self-selection effect
          • Doraville police department created a video of hyper-masculine SWAT team to attract new officers
          • they attracted hyper-masculine males
          • New Zealand took the opposite approach
          • We absolutely have to have oversight and very close scrutiny of police officers who abuse their authority.
          • But at the same time, we have to think more carefully about who ends up in the uniform to begin with.
    1. Uber promising implausibly cheap rides, courtesy of a future with self-driving cars
      • Case study of market bias
        • Uber self-driving cars
  9. May 2023
    1. Emphasizing only the essential parts might lead back to 1915 when the Russian painter Kasimir Malevich created a composition of a black square on a white background – that’s it, nothing less and nothing more. As time passed by, more and more influential professionals preferred art that referred only to itself and nothing else, being straightforward and reducing whatever might seem excessive.

      one example of one cause: minimalist art/ minimalist aethentic

    1. 2.10-7 Space ,p.

      Example for looking for the dual space of \(l^p\) sequence space.

    2. 2.10-5 Space Rn

      The example that finite Euclidean space is a self-normed space.

    Tags

    Annotators

  10. Apr 2023
    1. 2.10-6 Space II

      The dual space of \(l^1\) is \(l^\infty\).

    Tags

    Annotators

  11. Mar 2023
    1. 1.5-2 Completeness of l""

      Classical example, and this feels like uniform convergence of functions, similar principles.

    Tags

    Annotators

    1. the best known example of this type of research concerns the co-evolution of pastoralism and lactose tolerance [30]. In rough terms, the basic hypothesis—which is widely accepted and well confirmed—is that the adoption of dairying set up a modified niche in which the ability to digest lactose into adulthood was at an advantage.

      Best known example of gene-culture coevolution - co-evolution of pastoralism and lactose intolerance - the adoption of dairying set up a modified niche - in which the ability to digest lactose into adulthood was an advantage. - ancestors who were lactose tolerant could take advantage of a new source of calories. - Hence it is the learned acquisition of dairying which explains the natural selection of genes favoring lactase persistence, - the continued production of the enzyme lactase beyond weaning - Dual inheritance theory (Gene-culture coevolution) typically uses this example to explain - Dairying is inherited via a cultural channel - lactase persistence is inherited via a genetic channel - Recent supporters of this also make recent claims that it is not possible to distinguish between - what is biological from what is cultural

    1. You can also find the combination verb+in+to, but in that case you're usually dealing with a phrasal verb consisting of a verb and the particle "in", which happens to be followed by the preposition "to".They wouldn't give in to our demands.
    2. "Built in to" appears when you use the phrasal verb "build in" followed by an infinitive, but that is not what you are trying to do in your sentence.There's an electronic switch built in to stop all data transfers.
    1. Preserving ecosystem area is sometimes critiqued as ‘fortress conservation’ by environmental justice scholars, limiting access for poor or Indigenous people68. An ecosystem area boundary therefore requires careful consideration and involvement of the local communities, for example by not demanding that intact areas preclude human inhabitation and sustainable use and/or recognizing the role of Indigenous peoples and local communities in already protecting these areas.
      • Comment
      • "Fortress conservation" is an example of approaching safe boundaries but not considering JUST boundaries.
  12. Feb 2023
    1. The Dick and Carey model

      I like how this model establishes the goals to support the design and revise the process by identifying behaviors and objectives.

    1. Zettelkasten example using my preferred toolchain.

      Possibly the quickest way to get the technique under your fingers by browsing the author's example.

    1. The appendix of the 2nd edition (PDF)

      This is interesting, but I'd also like to see examples of how permanent notes evolve from their associated fleeting and literature notes.

  13. Jan 2023
    1. ProPublica recently reported that breathing machines purchased by people with sleep apnea are secretly sending usage data to health insurers, where the information can be used to justify reduced insurance payments.

      !- surveillance capitalism : example- - Propublica reported breathing machines for sleep apnea secretly send data to insurance companies

    1. class String alias strip_ws strip def strip chr=nil return self.strip_ws if chr.nil? self.gsub /^[#{Regexp.escape(chr)}]*|[#{Regexp.escape(chr)}]*$/, '' end end
  14. Dec 2022
    1. cultural evolution can lead to genetic evolution. "The classic example is lactose tolerance," Waring told Live Science. "Drinking cow's milk began as a cultural trait that then drove the [genetic] evolution of a group of humans." In that case, cultural change preceded genetic change, not the other way around. 

      !- example of : cultural evolution leading to genetic evolution - lactose intolerance

    1. Now picture Timothy, who lives with his grandchildren in Walande Island, a small dot of land off the east coast of South Malaita Island, part of the Solomon Islands. Since 2002, the 1,200 inhabitants of Walande have abandoned their homes and moved away from the island. Only one house remains: Timothy’s. When his former neighbors are asked about Timothy’s motives they shrug indifferently. “He’s stubborn,” one says. “He won’t listen to us,” says another. Every morning his four young grandchildren take the canoe to the mainland, where they go to school, while Timothy spends the day adding rocks to the wall around his house, trying to hold off the water for a bit longer. “If I move to the mainland, I can’t see anything through the trees. I won’t even see the water. I want to have this spot where I can look around me. Because I’m part of this place,” he says. His is a story that powerfully conveys the loneliness and loss that 1.1 degrees of anthropogenic warming is already causing. 

      !- example : storytelling to save the earth

    1. I quickly found myself in the ironic situation of spending so much time building a tool to help with my schoolwork that I stopped actually doing my schoolwork.

      Early example of being overwhelmed by one's tool.

  15. Nov 2022
    1. It can be useful to use with keywords argument, which required symbol keys.
    1. v5: added git and github (thanks @ceejbot), and RSS (thanks @zem42). Taking suggestions for hierarchical/distributed and hierarchical/decentralized.

      t Laurie Voss's crowdsourced set of examples of things that have structure & control in the form of the following: - centralized - hierarchical - federated - distributed - decentralized

      Picture below: Link to tweet: https://twitter.com/seldo/status/1486563446099300359?s=20&t=C6z9xUF_YBkOFmfcjfjpUA

    1. Throughout this piece Oppenheimer provides examples of notes he wrote which eventually made it into his written output in their entirety.

      This has generally been uncommon in the literature, but is a great form of pedagogy. It's subtle, but it makes his examples and advice much stronger than others who write these sorts of essays.

    1. Let's look at a concrete example. Suppose that your container contains a web server that runs a CGI script that's written in bash. The CGI script calls grep. Then the web server decides that the CGI script is taking too long and kills the script, but grep is not affected and keeps running. When grep finishes, it becomes a zombie and is adopted by the PID 1 (the web server). The web server doesn't know about grep, so it doesn't reap it, and the grep zombie stays in the system.
    1. Consider a text file containing the German word für (meaning 'for') in the ISO-8859-1 encoding (0x66 0xFC 0x72). This file is now opened with a text editor that assumes the input is UTF-8. The first and last byte are valid UTF-8 encodings of ASCII, but the middle byte (0xFC) is not a valid byte in UTF-8. Therefore, a text editor could replace this byte with the replacement character symbol to produce a valid string of Unicode code points. The whole string now displays like this: "f�r".
    1. A glyph can also represent more than one character at once. Take an f_f_f ligature as an example. It represents three f characters in a row. Ligatures do not have Unicodes, because the separate characters already have codes and the the fact that it’s a ligature does not change the meaning of its parts.
  16. Oct 2022
    1. Test.new.test { puts "Hi!" }
    2. You cannot use yield inside a define_method block. This is because blocks are captured by closures, observe: def hello define_singleton_method(:bye) { yield } end hello { puts "hello!" } bye { puts "bye!" } #=> "hello!"
    1. grammar Parser { rule TOP { I <love> <lang> } token love { '♥' | love } token lang { < Raku Perl Rust Go Python Ruby > } } say Parser.parse: 'I ♥ Raku'; # OUTPUT: 「I ♥ Raku」 love => 「♥」 lang => 「Raku」 say Parser.parse: 'I love Perl'; # OUTPUT: 「I love Perl」 love => 「love」 lang => 「Perl」
    1. With email, if you change your provider then your email address has to change too.

      No.

      I don't know why they wrote this; they know this isn't true. It's not just a case of me being a stickler/pedant. This example should have simply never been used.

    1. def initialize_copy(original_animal) self.age = 0 super end def initialize_dup(original_animal) self.dna = generate_dna self.name = "A new name" super end def initialize_clone(original_animal) self.name = "#{original_animal.name} 2" super end
  17. Sep 2022
    1. I don't know about you guys but I like dots on the second line when combined with indentation : # Example 1 one.two.three .four # Example 2 my_array.select { |str| str.size > 5 } .map { |str| str.downcase }
    1. Samsung,Company

      Allusion

    2. akemyfriendRandy,forexample.

      Anecdote

    3. 1am bombarded with catchy commer-cials, communication catalogs, and peoplewho are trying to convince me all of thistechno stuff is inevitable, a sign of the times,the way of the world.

      Anecdote ish?

    4. BlackBerry, Razr, and Firefly.

      Alluding

    5. A jogger runs down the Leelanau Trailtalking on a cell phone. A student text-messages while in class. High-speed. Real-time. BlackBerry, Razr, and Firefly.

      Scenario, anecdote?

    1. between an orange juice blender (a juice blender that’s orange) and an orange-juice blender (a blender that makes juice from oranges)
    2.   high school kids vs. high-school kids (school kids on pot, or kids in high school)   one armed bandit vs. one-armed bandit (an armed bandit alone, or a bandit with one arm)   criminal law professors vs. criminal-law professors   small animal veterinarian vs. small-animal veterinarian   old boat dealer vs. old-boat dealer   bad weather report vs. bad-weather report   big business owner vs. big-business owner
  18. Aug 2022
  19. Jul 2022
    1. another way to put this is um that if you think about using a telescope an example that alan offered us a little while ago to examine celestial objects as indeed did 00:20:37 galileo you can only interpret the output of that telescope the things you see in the telescope correctly if we actually know how it works that's really obviously true about 00:20:48 things like radio telescopes and infrared telescopes but it's true of optical telescopes as well as paul fire opened emphasized if you don't have a theory of optics then when you aim your telescope at jupiter and look at the 00:21:00 moons all you see are bits of light on a piece of glass you need to believe to know how the telescope works in order to understand those as moons orbiting a planet 00:21:12 so to put it crudely if we don't know how the instrument that we're using uh if we don't know how the instrument that we're using to mediate our access to the world works if we don't understand it we don't know whether we're looking through 00:21:24 a great telescope or a kaleidoscope and we don't know whether we're using a pre a properly constructed radio telescope or just playing a fantasy video game

      Good example of how astronomers must know the physical characteristics of the instrument they use to see the heavens, a telescope before anything they observe be useful. The same is true when peering into a microscope.

      The instrument of our bodies faculties is just as important to understand if we are to understand the signals we experience.

    1. to bring it to the present you know the news cycle is about russia and ukraine yeah there are propositional things there about what's the capital of 00:01:15 russia what's the capital of ukraine where's the border then you have sort of procedural um how how do you discuss this matter or or how do we make decisions about this what are the things in play and then you have 00:01:27 um question perspective like how does it look in moscow how does it look in kiev how does it look at the u.n yes and then you have something about participation what's it like to be at the border in the east of ukraine for example yeah 00:01:39 yeah what identities are you assigning what identities are you are are you assuming what roles right yeah yeah i mean it's not nothing immediately politicized i just mean to bring it to bear that in any given context there are 00:01:52 always these multiple ways of knowing that are a big thing

      Example of applying the 4 P's to something topical at the time of this video: The Russia / Ukraine war.

  20. Jun 2022
    1. This podcast is also available on Spotify, Apple Podcasts and Anchor. Please subscribe on your favoured podcast provider and leave a review.

      There are actually seven different services that this podcaster has done a huge amount of work to put their content on, ostensibly for the widest discovery, but not a single one of them has a link to the raw audio file to make it easy for one to bookmark and listen to later. Apparently the podcasting silo services have managed to win out over the open web.

      Do we really need to make podcasting this hard on individual publishers? Why can't the publisher just have one location and tell all the aggregators, here's a link to my feed, copy it if you will and want to help distribute my content? In some sense, this is part of what is happening as all seven services are using the same findable source, they're just making it more difficult to jump through all the hoops, which means the small guys end up paying more to do the extra work and potentially lose everything if that one source disappears, closes down, or gets acquired and goes away.

      These sorts of artificial hurdles and problems are what make it so hard to get up and running.

    1. What happens in Indonesia when a textile manufacturer illegally dumps dye waste!

      This is an example of the manufacturer / consumer dualism created by the Industrial Revolution. Since manufacturers have become a separate layer that no longer exist as part of the community, as artisans once did, along with globalized capitalism, the consumer does not know the life history of the product being consumed. The sensory bubble limits what a consumer can directly know.

      One answer is to promote a trend back to local and artisan production. Relocalizing production can empower consumers to inspect producers of the products they consume, holding them accountable.

      Another answer is to develop globalized trust networks of producers who are truly ethical.

      Cosmolocal production has networks by the commons nature can promote such values.

  21. May 2022
  22. Apr 2022
    1. Seeing examples of outstanding work motivates students by givingthem a vision of the possible. How can we expect students to produce first-ratework, he asks, when they have no idea what first-rate work looks like?

      Showing students examples of work and processes that they can imitate will fuel their imaginations and capabilities rather than stifle them.

    2. three steps required to solve the all-importantcorrespondence problem. Step one, according to Shenkar: specify one’s ownproblem and identify an analogous problem that has been solved successfully.Step two: rigorously analyze why the solution is successful. Jobs and hisengineers at Apple’s headquarters in Cupertino, California, immediately got towork deconstructing the marvels they’d seen at the Xerox facility. Soon theywere on to the third and most challenging step: identify how one’s owncircumstances differ, then figure out how to adapt the original solution to thenew setting.

      Oded Shenkar's three step process for effective problem solving using imitation: - Step 1. Specify your problem and identify an analogous problem that has been successfully solved. - Step 2. Analyze why the solution was successful. - Step 3. Identify how your problem and circumstances differ from the example problem and figure out how to best and most appropriately adapt the original solution to the new context.

      The last step may be the most difficult.


      The IndieWeb broadly uses the idea of imitation to work on and solve a variety of different web design problems. By focusing on imitation they dramatically decrease the work and effort involved in building a website. The work involved in creating new innovative solutions even in their space has been much harder, but there, they imitate others in breaking the problems down into the smallest constituent parts and getting things working there.


      Link this to the idea of "leading by example".

      Link to "reinventing the wheel" -- the difficulty of innovation can be more clearly seen in the process of people reinventing the wheel for themselves when they might have simply imitated a more refined idea. Searching the state space of potential solutions can be an arduous task.

      Link to "paving cow paths", which is a part of formalizing or crystalizing pre-tested solutions.

    1. if Rails.application.config.reloading_enabled? Rails.autoloaders.main.on_unload("Country") do |klass, _abspath| klass.expire_redis_cache end end
    1. input (32x32x3)max activation: 0.5, min: -0.5max gradient: 1.08696, min: -1.53051Activations:Activation Gradients:Weights:Weight Gradients:conv (32x32x16)filter size 5x5x3, stride 1max activation: 3.75919, min: -4.48241max gradient: 0.36571, min: -0.33032parameters: 16x5x5x3+16 = 1216

      The dimensions of these first two layers are explained here

    1. SELECT lateral_subquery.* FROM posts JOIN LATERAL ( SELECT comments.* FROM comments WHERE (comments.post_id = posts.id) LIMIT 3 ) lateral_subquery ON true WHERE posts.id
    1. Why not add one more category — Personal Wiki — tied to nothing specific, that I can reuse wherever I see fit?

      This is insufficiently explained.

    1. Let's say the user is in the process of selecting some files. The names don't indicate anything. So she has to listen and select.
  23. Mar 2022
    1. his serves as a good example of apt-gets stability. In apt, the name was changed to be more user friendly, while in apt-get the name remains unchanged so as not to break compatibility with old scripts.
  24. Feb 2022
    1. Rather than describing where to go on the Marriott site and what information to plug into the form when I got there, Brian composed a URL that encapsulated that data and transported me into Marriott's app in the right context.
    1. spurred cheating to take on new and different forms.

      Students had the freedom to cheat in the exams, as there was no supervision. It's the courage they get when they have to do their exams online and in their homes.

  25. Jan 2022
    1. export const fibonacci = function (n, initialData) { return readable( { loading: true, error: null, data: initialData, }, (set) => { let controller = new AbortController(); (async () => { try { let result = await fibonacciWorker.calculate(n, { signal: controller.signal }); set({ loading: false, error: null, data: result, }); } catch (err) { // Ignore AbortErrors, they're not unexpected but a feature. // In case of abortion we just keep the loading state because another request is on its way anyway. if (err.name !== 'AbortError') { set({ loading: false, error: err, data: initialData, }); } } })(); return () => { controller.abort(); }; } ); };
    2. <script> import { fibonacci } from './math.js'; $: result = fibonacci(n, 0); </script> <input type=number bind:value={n}> <p>The {n}th Fibonacci number is {$result.data}</p> {#if $result.loading} <p>Show a spinner, add class or whatever you need.</p> <p>You are not limited to the syntax of an #await block. You are free to do whatever you want.</p> {/if}
    1. The most obvious time you'd encounter a 401 error, on the other hand, is when you have not logged in at all, or have provided the incorrect password.
    2. As mentioned in the previous article, the 403 error can result when a user has logged in but they don't have sufficient privileges to access the requested resource. For example, a generic user may be attempting to load an 'admin' route.
    1. You’d like to delete the user, but you’re authenticated as a regular user, not as an admin. The server doesn’t allow regular users to perform such requests, so in the result, the server will send you a 403 error. Re-authentication won’t make any difference.
    1. For example, given a website's normal communication method is the internet, out-of-band communication may be by a voice call.
  26. Dec 2021
    1. For example, one respondent explained that being involvedin a national campaign is beneficial among local members, across the state withother organizations, and with their congressional members who see the organi-zation connected to a larger movement.

      use of an example to explain the operation of a concept.

    2. The field of public health also offers insight aboutthe effectiveness of community-based coalitions for service delivery and theimprovement of health outcomes.

      from public health

    3. “Advocacy Coalition Framework”

      example

    Tags

    Annotators

  27. Nov 2021
    1. Fixing with containIf we give each article the contain property with a value of content, when new elements are inserted the browser understands it only needs to recalculate the containing element's subtree, and not anything outside it:
    1. Abstract the whole queryCommandState / execCommand system into a store (or some wrapper that also holds a store) that has state like isBold and canMakeBold and a makeBold() function.
    1. The consumer component will barely change from our last example. The only difference is the way we'll get a reference to our store (since now the store is exported from the JS module):
    2. In order to use this, we need to use a little more advanced readable store. Here's your example updated for this:
    3. // our temperature is now a store with initial value 0 const temperature = writable(0); // now we don't need to change this function, the change will be propaged // by the store itself const getTemperature = () => { return temperature; }
    4. Here's how we would rewrite our callback example with a store instead:
    1. For example, if we had a room of tall people wearing hats, and another room of Spanish speakers wearing hats, after combining those rooms, the only thing we know about every person is that they must be wearing a hat.
    1. Viewedthrough Fraser’s justice framework, more subtle powerimbalances come into view. The initiative was framedlargely by and through a scientific and technical lens.Participants were not provided with opportunities toreframe issues to fit their own needs and circumstancesbut were asked to work within existing frameworks setout by the United Nations Framework Convention onClimate Change. Opportunities for response were sig-nificantly circumscribed by closed, voting-style ques-tions.

      Critize of WWWViews through Fraser lens

    2. orld Wide Views (WWViews) is a timelyexperiment in forging global spaces for public dialoguethat simultaneously works within as well as transcendsnational borders (Blue, 2015). WWViews marks animportant innovation in scaling up formal publicengagement by connecting people from variousnation-states to discuss issues of global importancesuch as climate change.

      First example is of a multinational forum of organized participation and collective decision-making.

    Tags

    Annotators

  28. Oct 2021
    1. const str = 'mañana mañana' const strReverse = str.split('').reverse().join('') // => "anãnam anañam" // notice how the first word has an ã rather ñ
    1. Another option is the use the functional library Ramda, while the syntax may be a bit different from the Ruby and Pure JS version, I find it to be more declarive: list = [null, "say", "kenglish", "co", null] R.reject(R.isNil, list) // return new array [ 'say', 'kenglish', 'co' ]
    1. const fetchWithJSONHeaders = applyDefaults(fetch, { headers: { "Content-Type": "application/json" } }); const fetchWithTextHeaders = applyDefaults(fetch, { headers: { "Content-Type": "application/text" } }); // Fetch JSON content const response = await fetchWithJSONHeaders("/users", { method: "GET" });
    1. For instance, the application could define a class method PaymentGateway.impl whose definition depends on the environment; or could define PaymentGateway to have a parent class or mixin that depends on the environment
  29. Sep 2021
    1. Democracy Collaborative contributes another framework

      Dëmocracy Collaborative framework - Measure and interpret impact on community - esp in area of low-income households. : Indicators: equity, econ dev, new biz, affordable housing, arts and culture, financial security of families, education of youth, better health and safety.

    2. action agenda’

      Action Agenda os Initiative for a Competitive Inner City - university as driver of economic prosperity for urban areas... with a socio-economic benfit (7 roles identified: Institution roles Economic roles Physical roles Public purpose Roles.

    3. The settlement house movement offers a prime example

    Tags

    Annotators

    1. The neighborhood outside of the PAS is characterized by continued decline—median household incomes fell by 30% between 1990 and 2010 and its poverty rate exceeded the city’s, as well as the PAS area’s, by approximately 10% in 2010. The overall trends for University City, discussed previously, mask the observed socioeconomic divergence between the areas inside and outside of the catchment zone. In fact, it appears that the PAS area served as the bright spot in University City during the WPI years, while the remainder of the neighborhood experienced continued eco-nomic decline.Housing tre

      PAS catchment better. Outside in decline.

    Tags

    Annotators