494 Matching Annotations
  1. Last 7 days
    1. there are universal similarities and effects of music and sound on individuals from diverse cultural backgrounds

      key finding - body responses to music are universal

      for - BEing journey

  2. Mar 2024
    1. Samuel Hartlib was well aware of this improvement. While extolling the clever invention of Harrison, Hartlib noted that combinations and links con-stituted the ‘argumentative part’ of the card index.60

      Hartlib Papers 30/4/47A, Ephemerides 1640, Part 2.

      In extolling the Ark of Studies created by Thomas Harrison, Samuel Hartlib indicated that the combinations of information and the potential links between them created the "argumentative part" of the system. In some sense this seems to be analogous to the the processing power of an information system if not specifically creating its consciousness.

    1. https://writingslowly.com/2024/03/13/the-card-index.html

      Richard ties together the "aliveness" of card indexes, phonographs, and artificial intelligence in an interesting way. He also links it to the living surroundings of indigenous cultures which see these things in ways that westerners don't.

    2. People marveled at new invention after new invention and there was a tendency to see mechanical and especially electrical advances as somehow endowed with life. The phonograph, for example, was held to be alive and print adverts even claimed it had a soul.

      I love the tying together of the "aliveness" of a zettelkasten with the "soul" of the phonograph here.

  3. Feb 2024
    1. One of Seth’s recent projects was called Dreammachine—an immersive art-science hallucinatory experience

      for - BEing journey - Anil Seth - BEing journey - Dream machine

      reference - https://dreamachine.world/about/

    1. Brand vehemently disagrees with me, but I’d say that, more recently, the computer has also failed as a source of true community. Social media seems to immiserate people as much as it bonds them. And so there’s a need for future Brands, young cultural craftsmen who identify those who are building the future, synthesizing their work into a common ethos and bringing them together in a way that satisfies the eternal desire for community and wholeness.

      At best a technology enables something, it does not provide it.

      Community and connection are deep, sacred values that technology can assist -- or inhibit -- but they come from other sources and must be cultivated by other means.

      Another primacy of being point if you like.

  4. Jan 2024
    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

  5. Nov 2023
    1. the overwhelming majority of our time is spent looking down and as we should have talked about in previous videos we really care about 00:03:57 the hinges that you place in your spine so if you're on a laptop or looking down on your phone there's generally a hinge that we put into our neck and keep it there for a period of time and that 00:04:09 section and it can be right at the top if we're looking at you we've down or it can be lowered down if we're hinging down a lot more towards more of a 90-degree angle the longer in those shapes and the average American at 00:04:22 least can sit you know 10 to 14 hours a day particularly in today's climate without raising an eyebrow it can be just a simple thing that we do and if that's sitting down looking down is a 00:04:33 constant thing then what happens is we take that overloaded tissue to bed and sleep is our recovery time
      • for: BEing journey - unconscious body posture - sleep impacts
    1. if you look at somewhere like the UK 75% of all our flights are made by just 15% of the population and we know who that 15% are you know they're not the average person or the poor person so we're not talking about 00:12:49 someone who flies occasionally away on holiday we're talking about people who fly really regularly they have their second homes they have their big mansions they have their large cars and this particular group all of those 00:13:02 things will have to change
      • for: elites - lifestyle change, great simplification, worldview transition -materially-excessive and wonder-poor to materially- sufficient and wonder-rich, awakening wonder, Deep Humanity, BEing journeys

      • comment

      • possible way to have more than one home
      • a group can co-create and mutually invest in a regenerative timeshare
        • an example is to co-invest in a regenerative local community economy based around a regerative agroforestry system which has community owned and supported agriculture with year round Regenerative work and sustainable accommodations
        • Deep Humanity BEing journeys can play a role to re-awaken wonder
    1. there's things in the 10th Century in what we think of as now as broadly Western and Central Europe 01:13:46 that are beginning to show up particularly in art and architecture and poetry and music not an accident the musician we know that artists are often people who sense 01:13:59 things and are ahead of a culture they give the first articulation to a set of ideas and so if you today if next time you're in Ottawa I invite you to go to the 01:14:10 National Gallery because the National Gallery in Ottawa has one of the world's best collections of European northern European art and it starts about 1300 01:14:22 there's some before that but their collections of that's old enough to get you into it and it works through historically as you work through the rooms and at least it used to last time I brought it was there it brought you 01:14:36 out into a post-modern into postmodern art as if what's beyond what we think of as Modern Art uh into post-modern art
      • for: BEing journey - history of art from 10th century to present
      • for: Deep Humanity, epoche, BEing journey, Douglas Harding, Zen, emptiness, awakening, the Headless Way

      • summary

      • adjacency between
        • Kensho
        • Zen
        • Douglas Harding's Headless Way
      • adjacency statement

        • this paper explores the parallels between Zen b experienced of Kensho and Douglas Harding's Headless Way
      • question

        • can this technique be adapted for Deep Humanity BEing journeys and mass awakening /epoche?
      • for: BEing journey - adapt to, DH, Deep Humanity

      • comment

        • Potentiality coupled with limitations - Daseitz Suzuki and the elbow does not bend backwards.
        • The experience of the unnamable quality present in every moment - infinite potentiality
        • The mundane is the extraordinary. Even when we name it and discover it in all our scientific discoveries and articulate it, and mass produce technologies with it, is is still miraculous
      • adjacency

        • Nora Bateson's book Combining and the Douglas Rushkoff podcast interview
        • potentiality
      • adjacency statement
        • both are alluding to the pure potentiality latent in the moment
        • language can be contextualized as an unfolding of the space of potentiality to a specific trajectory. Each word added to the previous one to form a sentence is a choice in an infinite, abstract space of symbols that communicates intentionality and is designed to focus the attention of the listener to one very narrow aspect of the enormous field of infinite potentiality
    1. Implement restrictive defaults (potentially allowing an explicit bypass) I understand that easy usability and rich out-of-the-box functionality is likely essential to this library's appeal to its users. Nevertheless I'd like to propose making the authorization properties ransackable_[attributes/associations/etc.] empty sets by default, forcing the developer to explicitly define whitelists for their use case. To soften the usability blow, a new ransack_unsafe(params[:q]) or ransack_explicit(params[:q], ransackable_attributes='*', ransackable_associations=(:post, :comment)) method could be introduced to offer developers a shorthand to bypass or override the whitelists for specific queries (after they've had to read a warning about why these methods can be dangerous).
    1. After I had been searching for ways to flesh out this parallel between contemplative and scientific research, through the common element of a lab method, I finally stumbled upon the Husserlian epoche as a stepping stone or connection piece between the two
      • for: bridge between - scientific and contemplative world

      • comment

        • this describes my current strong interest in the epoche as a potentially b transformative Deep Humanity BEing journey tool
  6. Oct 2023
    1. https://udenver.zoom.us/meeting/register/tZcuceuspzkuE9VomnEaGva1HH1ra_iS4Eua?ref=jessestommel.com#/registration

      Some related ideas that are suggesting some sort of thesis for improving the idea of ungrading: - We measure the things we care about. - In Education, we care about learning and understanding, but measuring these outside of testing and evaluation is difficult at best (therefor ungrading). - No one cares about your GPA six months after you graduate. - Somehow we've tied up evaluations and grades into the toxic capitalism and competition within US culture. Some of this is tied into educational movements related to Frederick Winslow Taylor and Harvards Eliot. - Hierarchies instituted by the Great Chain of Being have confounded our educational process.

  7. Sep 2023
    1. several varieties of blind spots.
      • for: blind spots, science - blind spots, aware spot, Wittgenstein, Nishada Kitaro, Douglas Harding, BEing journey, finger pointing to the moon, the man with no head

      • paraphrase

        • blind spot by vacancy
          • ie. black area in visual field.
          • contrast with the rest of the visual field
          • easy to see
      • further research start
        • pure blind spot
          • I did not understand
      • further research end
        • aware spot
          • Douglas Harding ( Man without a head) exercise
          • Wittgenstein also commented on this
            • Nothing in your visual field leads you to infer that it is seen by an eye
            • BEing journey
              • point finger to objects in your visual field
              • then point to yourself
              • what do you see? There's no object there
              • it is empty but is the source of awareness
          • Nishada Kitaro
            • As soon as you adopt the stance of objective knowledge, the knower doesn't enter the visual field
  8. Aug 2023
    1. Being Model Humans
      • for: model human
      • comment
        • a misunderstanding of emptiness, especially the entanglement of the individual and collective allows the typical imbalance of focusing only on the individual and ignoring the collective
        • there are actually many religious intentional communities that have existed for long periods of time, but this is for lifelong practitioners of a religion, such as Buddhist or other monasteries. It's not for the faint of heart!.
    1. What is one of our greatest needs, one of our greatest needs for our brain? And instead of telling you, I want to show you. In fact, I want you to feel it. There's a lot I want you to feel in the next 14 minutes. So, if we could all stand up. 00:00:39 We're all going to conduct a piece of Strauss together. Alright?
      • for: BEing journey
      • comment
        • This was a good BEing journey for anticipation.
        • We wait for closure, anticipate what is next based on previous experiences.
        • The sand artwork performed by the artist in the background is also a demonstration of anticipation and of symbolic representation - the ubiquity of the symbolosphere.
  9. Jul 2023
    1. Guided meditation: The carbon cycle
      • Guided meditation
        • consciousness thinking about its own atomic constituent
      • Carbon cycle meditation

        • to help achieve awareness of our physical connection to the world
      • Comment

        • This is a limited practice as it still depends on conceptual models.
        • An atom is not an object we can directly experience phenomenologically.
        • Rather, it is a conceptual model and through social norm of using it as if it were phenomenologically a directly experienced object, we confuse ideas of phenomena with the phenomena itself
        • One way to determine if it is a fundamental human quality or if it is simply one narrative, is to determine if there are people such an exercise would NOT resonate with?
          • For instance, it would likely not resonate strongly with
            • climate deniers,
            • uneducated people
            • religious fundamentalists
        • to develop a method to reach ALL people, we need to look at even more fundamental commonalities - namely, how we use language to mediate reality
        • Perhaps a BEing journey can consist of two lievels
          • 1st level: conceptual
            • do the BEing journey as described using conventional concepts
          • 2nd level: meta-level
            • observe how you construct the narrative using language
        • it could be good to animate this with AI drawing program
    2. guided meditation to help achieve this awareness of our physical connection to the world around us.
      • comment
        • these guided meditations are interesting because they are one level of our superorganism (consciousness)
          • thinking about a lower level of the same human superorganism
            • carbon molecule that was part of us
            • genetic material that was part of our ancestors going back billions of years
    1. three components of EOL doula training
      • Three components of End of Life Doula Training

        • Imagine you have three months left to live
        • Practice deep, active listening -Legacy projects in the here and now
      • Comment

        • these could be used as Mortality Salience BEing Journeys
    1. Waking, Dreaming, Being: Self and Consciousness in Neuroscience, Meditation, and Philosophy
      • Evan Thompson book title
        • Waking, Dream, Being; Self and Consciousness in Neuroscience, Meditation and Philosophy
  10. Jun 2023
    1. 12:00 Allen talks about the science of flow, but doesn't coin the term explicitly, he only refers to it as being in the zone. This makes sense: gtd makes you know your commitments, and helps you to focus on one thing at a time, undistracted, which gets you into flow.

  11. Mar 2023
    1. the major sin is the sin of being born, as Samuel Beckett put it. It is the worm in the heart of the human condition, apparently an inescapable consequence of self-consciousness itself.

      Quote - the sin of being born. - the worm in the heart of the human condition - an inescapable consequence of self-consciousness itself

    1. The European materialist tradition of despiritualizing the universe is very similar to the mental process which goes into dehumanizing another person. And who seems most expert at dehumanizing other people? And why? Soldiers who have seen a lot of combat learn to do this to the enemy before going back into combat. Murderers do it before going out to commit murder. Nazi SS guards did it to concentration camp inmates. Cops do it. Corporation leaders do it to the workers they send into uranium mines and steel mills. Politicians do it to everyone in sight. And what the process has in common for each group doing the dehumanizing is that it makes it all right to kill and otherwise destroy other people. One of the Christian commandments says, "Thou shalt not kill," at least not humans, so the trick is to mentally convert the victims into nonhumans. Then you can proclaim violation of your own commandment as a virtue.
      • Despiritualization
      • Definition
      • Comment
      • This is a very salient term appropriate to modernity's propensity for objectification that uses language and acculturation to remove the sacred from being a lived experience:
      • Means says that European materialist tradition of despiritualizing the universe is very similar to the mental process which goes into dehumanizing another person. This is also the process of despiritualizing nature so we can plunger her. It is the raison d'etre for objectifying nature in the scientific / technological / industrialist / globalist capitalism supply chain. Means provided some examples:
        - Soldiers to kill an enemy soldier.
        - We do it to eat food 
        - Murderers do it before killing .
        - Nazi SS guards did it to inmates. 
         - Cops do it to those they arrest.
        - Corporation leaders do it to their workers and to the environment
        - Politicians do it to everyone
        - factory farming takes away the individuality and recognition of each unique, living being and commodities then all by replacing each life by with the genetic label "food" ( author's addition)
        
        • Mean says that for each group doing the Despiritualization, it makes it all right to kill and otherwise destroy other people/species.
        • Means further says:
        • One of the Christian commandments says, "Thou shalt not kill," at least not humans,
        • so the trick is to mentally convert the victims into nonhumans.
        • Then you can proclaim violation of your own commandment as a virtue.
        • In most indigenous traditions, if not all, prayer is given before a meal.
        • Prayer can be seen as a spiritualistion practice that recognizes that we, as participants in life, must take some other life in order to sustain our own
        • It is the practice of recognizing the built-in cruelty of life.
        • If taking another living beings life is the ultimate transgression, and we must commit that murderous act many times a day in order to survive meal prayer establishes a direct connection with the individual plant or animall that has made the ultimate sacrifice and has forfeited its life so that we may continue ours.
        • meal prayer is therefore, in the context of Deep Humanity practice, a BEing journey of continuous gratitude
  12. Jan 2023
    1. what i want you to do is to now imagine somebody whose body you would like to have 00:28:23 as your own either for a few minutes or maybe long term i'm not going to ask you why you want that body i don't want to get that deep into your psyche and that might be very personal um 00:28:35 but i'll tell you whose body i'd like to have and for how long just to give you a warm-up feel for this i really would like to have usain bolt's body of a few years ago for 9.6 seconds 00:28:47 because i would love to know what it feels like to run 100 meters that fast now when i form that does i think it's a coherent desire how do i why do i think that because i really do desire it i would love it i'd pay a lot of money to 00:28:59 do that um but what i don't want is to be usain bolt because usain bolt is already the same bolt and that doesn't do me any good um what i want is to be me 00:29:12 j with usain bolt's body so i can know what it feels like to run really really fast now i'm not claiming that this is a coherent desire i'm not claiming that it's 00:29:24 possible for me to remain jay and have usain bolt's body but i am claiming that i can desire it and if you are anything like me for some body or other you can desire to 00:29:36 have it for some time or other if you can form that desire then you in deep in your gut don't believe that you are your body you believe that you have a body and that 00:29:48 you might have a different body just like you might have a different hat or a different cat and if you believe that then you really do believe that whatever you are you are not your body 00:30:01 now you might think well that's obviously true i've never thought i was my body um but maybe on my mind i don't think you really believe that either and i want to do the same thought 00:30:13 experiment to convince you of that now i want you to think about somebody's mind that you'd really like to have maybe not for a long time maybe only for a few minutes um i'll tell you mine again i'm really 00:30:25 big and divulging you know hyper sharing over sharing personal secrets um i would really love to have stephen hawking's mind when he was still alive of course not now um and i'd like to have it only for about five or ten 00:30:36 minutes because what i would really like is to be able to really understand quantum gravity and i can't really understand it but if i had stephen hawking's mind for a few minutes then i could understand it now i obviously 00:30:48 don't want to be stephen hawking for one thing he's dead for another thing he was already stephen hawking and it didn't do me a damn bit of good what i want is to be me jay with his mind so that i can 00:31:00 use it to understand quantum gravity um i think that'd be really cool again i'm not claiming this is coherent i'm not claiming that it's possible but i am claiming that it's a 00:31:11 psychologically possible state to be in to crave somebody else's mind and if you like me can form that desire then you like me deep in your gut do not believe that you are your mind 00:31:25 you believe that you're something that has a mind just like you have a body um and that you possessed that mind and you could still be you with another mind and another body i mean just imagine having 00:31:37 the same bolts body in stephen hawking's mind that would be totally cool then i could understand quantum gravity while setting a new record for the 100 meter sprint um but that's not going to happen alas 00:31:50 um the moral of these experiments um takes us right back to chandragiri serpent i think the moral of these experiments is that deep down at an atavistic gut 00:32:02 level we believe that we are something that stands behind our minds and our bodies that thing is the self the thing that is not the mind in the body but possesses the mind in the body that's the thing 00:32:14 that sean decurity identifies as the serpent in the wall our arguments are going to be aimed at that not at our bodies not as our minds not as our personal identities they're 00:32:27 going to be aimed at that self that we really atavistically believe stands behind all of those that's the illusion that's the thing that causes us to be incompetent morally that causes us to be 00:32:41 confused about our own identities and to be confused about our role and our place in the world

      !- BEing journey Gedanken : imagine yourself to have different body, different mind - if you can imagine this, then you believe you ARE NOT the body or mind, but the SELF that HAS the body or mind - examples of imagining having another mind or body: what would it be like to be there mind of wife? My husband? My child? My friend? My enemy? My dog? My cat? A bat ( Thomas Hagel)? Isn't this imagination salient for empathising? To imagine being another person, don't we need to imagine being in their mind and body to imagined experiencing like they do?

    2. so i want to convince you now that you 00:27:18 really do think you have a self no matter how many years you've been practicing

      !- following argument : will convince you that you are convinced you have a self

  13. Dec 2022
    1. For most Americans, poverty is seen as an individualized conditionthat exclusively affects those individuals, their families, and perhaps theirneighborhoods. Rarely do we conceptualize a stranger’s poverty as having adirect or indirect effect on our own well-being.

      The Golden Rule not only benefits your neighbor, but you as well.

  14. Nov 2022
    1. Unfortunately most init systems don't do this correctly within Docker since they're built for hardware shutdowns instead. This causes processes to be hard killed with SIGKILL, which doesn't give them a chance to correctly deinitialize things.
  15. Sep 2022
    1. Indicative of howclose many Americans are to poverty, a recent study by the Federal ReserveBank found that 37 percent of Americans do not have enough savings put asideto protect them from a $400 emergency.20
      1. Federal Reserve Bank, “Report on the Economic Well-Being of U.S. Households in 2019” (Washington DC: Board of Governors of the Federal Reserve System, 2020).
    1. When to the station they were taken,cna they were charged of taking life,When searching Carey they found upon him,‘Mr. Sieenson’s pocket-Knife

      The knife found on Carey was Stevenson's pocket knife that he had on him

  16. Aug 2022
    1. Colleges today often operate as machines for putting ever-proliferating opportunities before already privileged people. Our educational system focuses obsessively on helping students take the next step. But it does not give them adequate assistance in thinking about the substance of the lives toward which they are advancing. Many institutions today have forgotten that liberal education itself was meant to teach the art of choosing, to train the young to use reason to decide which endeavors merit the investment of their lives.

      👍 and well put.

    1. i'm going to simply turn our line drawing upside down and then draw from 00:04:20 the upside down reference what's going to happen here is it's going to force my mind to not think about what i'm drawing but instead focus on the lines and shapes that i actually 00:04:33 see so you can see it takes my left brain out of the process almost completely

      !- BEing Journey : drawing example * inverting the picture upside down to draw it helps to remove the analytic part of the brain from the drawing.

    1. In the classical Indian languages, there are no words which corresponded to the concept "to become."

      The notion of time. In old indian langauges everything is expressed as being not becoming, where we might say everything flows, they say 'existence is impermanent'. very interesting linguistically relativistic suggestions.

  17. Jul 2022
    1. Human beings are different from what they seem to be thinking, perceiving, or saying asmediated by social symbolic systems [29 ]. They are different from how they are represented intheir own narratives, they are different from language itself. Interestingly, learning to consciouslybecome aware to that difference—the bare human spirit, the preindividual, or being as becoming asSimondon [30 ] puts it—appears to be the state of mind towards which many spiritual traditionsare guiding. David R. Weinbaum (Weaver) refers to this state as thought sans image [ 13], offering itscontemporary conceptualisation via the metaphysical theories of Henri Bergson, Gilbert Simondon andGilles Deleuze, in combination with the enactive theory of cognition [14 ] and inputs from complexityscience

      !- key insight : thought sans image !- definition : thought sans image * human beings are NOT defined by what they are thinking, perceiving or saying as mediated by social symbolic systems * They are also NOT defined by their own narratives or language itself - the symbolosphere is culturally imposed upon the bare human being * That primordial nature is described as the bare human spirit, the preindividual, being-as-becoming (Simondon) * Many spiritual traditions guide practitioners to experience this primordial state, the nondual state, stripped of all cultural embellishments * David R. Weinbaum (Weaver) calls this state thought sans image based on the metaphysical theories of Henri Bergson, Gilbert Simondon and Gilles Deleuze and 4E theory of cognition

    1. when we attribute sensory experiences to 00:06:39 ourselves for instance like the experience of red or the experience of seeing blue the model is external properties and we think of there as being inner properties just like those external properties that somehow we are 00:06:52 um we are seeing immediately

      This comment suggests a Color BEing Journey. How can we demonstrate in a compelling way that color is an attribute of the neural architecture of the person and NOT a property of the object we are viewing?

      See Color Constancy Illusion here:

      David Eagleman in WIRED interview https://hyp.is/go?url=http%3A%2F%2Fdocdrop.org%2Fvideo%2FMJBfn07gZ30%2F&group=world

      Beau Lotto, TED Talk https://hyp.is/go?url=http%3A%2F%2Fdocdrop.org%2Fvideo%2Fmf5otGNbkuc%2F&group=world

      Andrew Stockman, TEDx talk on how we see color: https://hyp.is/go?url=http%3A%2F%2Fdocdrop.org%2Fvideo%2F_l607r2TSwg%2F&group=world

      Science shows that color is an experience of the subject, not a property of the object: https://youtu.be/fQczp0wtZQQ but what Jay will go on to argue, is that this explanation itself is part of the COGNITIVE IMMEDIACY OF EXPERIENCE that we also take for granted.

    2. cognitive illusion and immediate experience perspectives 00:01:44 from buddhist philosophy

      Title: cognitive illusion and immediate experience perspectives from buddhist philosophy Author: Jay L. Garfield Year: 2022

      This is a very important talk outlining a number of key concepts that Stop Reset Go and Deep Humanity are built upon and also a rich source of BEing Journeys.

      In brief, this talk outlines key humanistic (discoverable by a modern human being regardless of any cultural, gender, class, etc difference) concepts of Buddhist philosophy that SRG / DH embeds into its framework to make more widely accessible..

      The title of the talk refers to the illusions that our own cognition produces of both outer and inner appearances because the mechanisms that produce them area opaque to us. Their immediacy feels as if they are real.

      If what we sense and think is real is an illusion, then what is real? "Real" in this case implies ultimate truth. As we will see, Nagarjuna's denial of any argument that claims to be the ulitmate is denied. What is left after such a complete denial? Still something persists.

    1. so this is white light passing through a dispersive prison and this is a visible spectrum from about 420 nanometers in the violet through 500 nanometers and 00:00:18 the green 580 yellow 610 and orange and 650 red and some of the slides that have this along the bottom axis so how dependent I'll be in color what do you 00:00:30 think we depend on color a lot a little lots okay
      • Title: How do we see colours?
      • Author: Andrew Stockman
      • Date: 2016

      Many different color illusions Good to mine for BEing Journeys

    1. I want to start with a game. Okay? And to win this game, all you have to do is see the reality that's in front of you as it really is, all right? So we have two panels here, of colored dots. And one of those dots is the same in the two panels. And you have to tell me which one. Now, I narrowed it down to the gray one, the green one, and, say, the orange one. 00:00:41 So by a show of hands, we'll start with the easiest one. Show of hands: how many people think it's the gray one? Really? Okay. How many people think it's the green one? And how many people think it's the orange one? Pretty even split. Let's find out what the reality is. Here is the orange one. (Laughter) Here is the green one. And here is the gray one. 00:01:16 (Laughter) So for all of you who saw that, you're complete realists. All right? (Laughter) So this is pretty amazing, isn't it? Because nearly every living system has evolved the ability to detect light in one way or another. So for us, seeing color is one of the simplest things the brain does. And yet, even at this most fundamental level, 00:01:40 context is everything. What I'm going to talk about is not that context is everything, but why context is everything. Because it's answering that question that tells us not only why we see what we do, but who we are as individuals, and who we are as a society.
      • Title: Optical illusions show how we see
      • Author: Beau Lotto
      • Date: 8 Oct, 2009

      The opening title is very pith:

      No one is an outside observer of nature, each of us is defined by our ecology.

      We need to unpack the full depth of this sentence.

      Seeing is believing. This is more true than we think.Our eyes trick us into seeing the same color as different ones depending on the context. Think about the philosophical implications of this simple finding. What does this tell us about "objective reality"? Colors that we would compare as different in one circumstance are the same in another.

      Evolution helps us do this for survival.

    1. so here's a straightforward question what color are the strawberries in this photograph the red right wrong those strawberries are gray if you don't 00:00:12 believe me we look for one of the reddest looking patches on this image cut it out now what color is that it's great right but when you put it back on 00:00:25 the image it's red again it's weird right this illusion was created by a Japanese researcher named Akiyoshi Kitaoka and it hinges on something called color constancy it's an incredible visual 00:00:39 phenomenon by which the color of an object appears to stay more or less the same regardless of the lighting conditions under which you see it or the lighting conditions under which your brain thinks you're seeing it

      Title: Why your brain thinks these strawberries are red Author: WIRED Date:2022

      Color Constancy

      Use this for BEing journey

    1. When we see the world from the vantage point of all-at-oneness, always right here, we can be said to be like a pearl in a bowl. Flowing with every turn without any obstructions or stoppages coming from our emotional reactions to different situations. This is a very commonly used image in Zen — moving like a pearl in a bowl. As usual, our ancestors comment on this phrase, wanting to break open our solidifying minds even more. Working from Dogen’s fascicle Shunju, Spring and Autumn, we have an example of opening up even the Zen appropriate phrase — a pearl in a bowl. Editor of the Blue Cliff Record Engo ( Yuan Wu) wrote: A bowl rolls around a pearl, and the pearl rolls around the bowl. The absolute in the relative and the relative in the absolute.   Dogen: The present expression “a bowl rolls around a pearl” is unprecedented and inimitable, it has rarely been heard in eternity. Hitherto, people have spoken only as if the pearl rolling in the bowl were ceaseless.

      This is like the observation I often make in Deep Humanity and which is a pith BEing Journey

      When we move is it I who goes from HERE to THERE? Or am I stationary, like the eye of the hurricane spinning the wild world of appearances to me and surrounding me?

      I am like the gerbil running on a cage spinning appearances towards me but never moving an inch I move while I am still The bowl revolves around this pearl.

    2. I have written previously about the issue of “both”. In one sense, interdependence and total dynamic working implies that everything is both form and emptiness simultaneously. But the problem is that you can’t PERCEIVE both form and emptiness at the same time. They are both there supporting each other but our discriminative thought can only see one or the other; like the front and back foot in walking, like the old lady and young lady optical illusion, or the front and back of a hand. Both sides are always there. We have a whole hand but you can only see either the front of the hand or the back of the hand in a single moment.

      This needs unpacking and can be a good Deep Humanity BEing journey exercise, as all of this can be.

    1. first is that uh a society of any scale and and i don't mean society is in bill millions or billions of people i mean society as in a thousand people you know like a sub 00:47:23 sub city a community that is not even a whole city just a a group of like-minded people uh who are willing to give this a give this you know 00:47:35 a field trial ago a society of any scale can be viewed as a super organism so that's kind of fundamental everything really really works from there we are together we 00:47:49 are not just individuals connected we are a whole society is a whole and it's a and it's a whole with the environment and it's wider you know 00:48:03 sphere so as we'll talk about today you know this even the idea of an individual is it's okay to talk about individuals it's fine but it's kind of like an arbitrary thing an 00:48:15 individual could be an individual cell or an individual person or an individual uh species or an individual ecosystem but it's all with all deeply embedded and enmeshed 00:48:28 entwined with the whole so uh uh a society can be viewed as a super organism

      First Proposition: Society (at every scale, and even the community scale) can be seen as a superorganism and the individual and society are entangled. This is analogous to the SRG adoption of the human INTERbeing concept, treating the individual as a gestalt of both individual and enmeshed cell of a larger social organ.

      In fact, the human organism can be seen from three different perspectives and levels of being:

      1. an aggregation of billions of cells and trillions of microbes, wherein consciousness can be regarded as an emergent property of a complex system of a population of microorganisms
      2. the 4E (Embodied, Enacted, Embedded, Extended) lived experience of consciousness
      3. as a cell in a larger social superorganism (SSO).
  18. Jun 2022
    1. So, if some of you are still feeling a bit too certain, I'd like to do this one. So, if we have the lights down. And what we have here -- Can everyone see 25 purple surfaces on your left, 00:15:03 and 25, call it yellowish, surfaces on your right? So now, what I want to do, I'm going to put the middle nine surfaces here under yellow illumination, by simply putting a filter behind them. Now you can see that changes the light that's coming through there, right? Because now the light is going through a yellowish filter and then a purplish filter. I'm going to do the opposite on the left here. 00:15:31 I'm going to put the middle nine under a purplish light. Now, some of you will have noticed that the consequence is that the light coming through those middle nine on the right, or your left, is exactly the same as the light coming through the middle nine on your right. Agreed? Yes? Okay. So they are physically the same. 00:15:56 Let's pull the covers off. Now remember -- you know that the middle nine are exactly the same. Do they look the sa

      BEing journey 9 color illusion

    2. also true for complex perceptions of motion. So, here we have -- let's turn this around -- a diamond. And what I'm going to do is, I'm going to hold it here, 00:08:53 and I'm going to spin it. And for all of you, you'll see it probably spinning this direction. Now I want you to keep looking at it. Move your eyes around, blink, maybe close one eye. And suddenly it will flip, and start spinning the opposite direction. Yes? Raise your hand if you got that. Yes? Keep blinking. Every time you blink, it will switch. So I can ask you, which direction is it rotating? 00:09:20 How do you know? Your brain doesn't know, because both are equally likely. So depending on where it looks, it flips between the two possibilities

      BEing journey 8 Direction of motion

    3. What is color for?" And instead of telling you, I'll just show you. What you see here is a jungle scene, 00:02:08 and you see the surfaces according to the amount of light that those surfaces reflect. Now, can any of you see the predator that's about to jump out at you? And if you haven't seen it yet, you're dead, right? (Laughter) Can anyone see it? Anyone? No? Now let's see the surfaces according to the quality of light that they reflect. And now you see it. So, color enables us to see 00:02:32 the similarities and differences between surfaces, according to the full spectrum of light that they reflect. But what you've just done is in many respects mathematically impossible. Why? Because, as Berkeley tells us, we have no direct access to our physical world, other than through our senses. And the light that falls onto our eyes is determined by multiple things in the world, not only the color of objects, 00:02:56 but also the color of their illumination, and the color of the space between us and those objects. You vary any one of those parameters, and you'll change the color of the light that falls onto your eye. This is a huge problem, because it means that the same image could have an infinite number of possible real-world sources

      BEing journey 2 pattern detection

    4. Here we have that exact same illusion. We have two identical tiles on the left, one in a dark surround, one in a light surround. And the same thing over on the right. Now, I'll reveal those two scenes, but I'm not going to change anything within those boxes, except their meaning. 00:07:11 And see what happens to your perception. Notice that on the left the two tiles look nearly completely opposite: one very white and one very dark, right? Whereas on the right, the two tiles look nearly the same. And yet there is still one on a dark surround, and one on a light surround. Why? Because if the tile in that shadow were in fact in shadow, and reflecting the same amount of light to your eye 00:07:35 as the one outside the shadow, it would have to be more reflective -- just the laws of physics. So you see it that way. Whereas on the right, the information is consistent with those two tiles being under the same light. If they're under the same light reflecting the same amount of light to your eye, then they must be equally reflective. So you see it that way. Which means we can bring all this information together to create some incredibly strong illusions.

      BEing journey 5 shadow and light

    5. let me show you how quickly our brains can redefine normality, even at the simplest thing the brain does, which is color. 00:05:29 So if I could have the lights down up here. I want you to first notice that those two desert scenes are physically the same. One is simply the flipping of the other. Now I want you to look at that dot between the green and the red. And I want you to stare at that dot. Don't look anywhere else. We're going to look at it for about 30 seconds, which is a bit of a killer in an 18-minute talk. (Laughter) But I really want you to learn. 00:05:55 And I'll tell you -- don't look anywhere else -- I'll tell you what's happening in your head. Your brain is learning, and it's learning that the right side of its visual field is under red illumination; the left side of its visual field is under green illumination. That's what it's learning. Okay? Now, when I tell you, I want you to look at the dot between the two desert scenes. So why don't you do that now? (Laughter) 00:06:21 Can I have the lights up again? I take it from your response they don't look the same anymore, right? (Applause) Why? Because your brain is seeing that same information as if the right one is still under red light, and the left one is still under green light. That's your new normal. Okay? So, what does this mean for context? It means I can take two identical squares, put them in light and dark surrounds, and the one on the dark surround looks lighter than on the light surround. 00:06:47 What's significant is not simply the light and dark surrounds that matter. It's what those light and dark surrounds meant for your behavior in the past.

      BEing journey 4 Color persistence Try noticing this throughout your life to see how often it occurs.

    6. we see by learning to see. The brain evolved the mechanisms for finding patterns, finding relationships in information, 00:04:38 and associating those relationships with a behavioral meaning, a significance, by interacting with the world. We're very aware of this in the form of more cognitive attributes, like language. I'm going to give you some letter strings, and I want you to read them out for me, if you can. Audience: "Can you read this?" "You are not reading this." "What are you reading?" Beau Lotto: "What are you reading?" Half the letters are missing, right? 00:05:04 There's no a priori reason why an "H" has to go between that "W" and "A." But you put one there. Why? Because in the statistics of your past experience, it would have been useful to do so. So you do so again. And yet you don't put a letter after that first "T." Why? Because it wouldn't have been useful in the past. So you don't do it again.

      Being journey 3 Linguistic BEing journey - filling in missing letters in incomplete sentence is based on our past experience with specific sentences that have those letters. This becomes compelling when we can demonstrate with multiple languages, including ones we are not familiar with. Those people in the other cultures will fill in missing letters in their words in their language that we would be completely clueless about.

    1. (Music) (Applause) (Music) (Applause) (Music) 00:07:16 (Applause) (Cheers) (Applause) Beau Lotto: Ah, how wonderful, right? So right now, you're probably all feeling, at some level or another, awe.

      BEing journey that inspires awe, wonder and the invocation of the sacred.

  19. May 2022
    1. new way of being

      It may be that our civilization must undergo a transformation process that places less emphasis on intelligence and more intelligence on wisdom. That wisdom is intimately bound with rediscovering the essence of what it is to be a living and dying human being. The enormous polycrisis of the Anthropocene leads us to the inescapable conclusion that human intelligence alone is insufficient to lead to a holistic wellbeing within the biosphere. Insofar as the biosphere is a vast interconnected mutually supporting web of life, the overconsumption by one species, modern humans has upset the balance of the biosphere.

      A new way of being requires fundamental collective reassessment of what it is to be a living and dying being. The intelligence alone of our species has led to an extreme imbalance of the natural world, whose blowback we are now beginning to experience. The blind, recursive application of intelligence has led to greater and greater separation from nature to the point of the present polycrisis. As a species, we can only distance ourselves apart from nature to an extreme extent when nature reminds us we are NOT separate from her. She is now violently reminding us that we ARE a part of nature. A new way of being is to reconcile technology, that pushes the limits of intelligence alone, with ourselves as being a product of nature herself.

      Deep Humanity is that open collective process we call which reminds us that we are a product of nature in every way, and is a journey to reconnect with nature. BEing journeys are the crowdsourced processes of rediscovering our deep connection with nature through participatory, compelling, interactive, immersive explorations of what it is to be a living and dying human being.

    2. OP VAK is a concerted effort to make the hyperthreat visible and knowable across the broad spectrum of society. This has practical, educational aspects, including increasing CEC literacy and improving ecoproduct and services labeling. It also links to the integration of CEC into the remit of mainstream intelligence agencies. To address sensory and affective knowing, as well as the deep framing and meaning-making dimension of hyperthreat “knowing,” it will partner with the communications, arts, and humanities sectors in line with the “60,000 artists” concept.24 It will also harness the potential of virtual reality technologies, which have already proven effective in CEC communication.25 Finally, it will involve fast-tracking relevant research and improved mechanisms for conveying and sharing research and knowledge.

      Deep Humanity open access education program in museums, workshops and at public festivals can use the tool of compelling, engaging, interactive BEing Journeys to make the invisible hyperthreat visible.

    3. Here, in PLAN E, the concept of entangled security translates this idea into meaning that humanity itself can make a great sudden leap.

      An Open Access Deep Humanity education program whose core principles are continuously improved through crowdsourcing, can teach the constructed nature of reality, especially using compelling BEing Journeys. This inner transformation can rapidly create the nonlinear paradigm, worldview and value shifts that Donella Meadows identified as the greatest leverage points in system change.

    4. Second, acknowledging increased affective insecurity and that heightened vulnerability and fear will be a factor, great efforts must be made to bolster the care, support and protection provided to people.      

      Mortality salience for the masses - operationalizing terror management theory (TMT) and Deep Humanity BEing Journeys that take individuals to explore the depths of their humanity to make sense of the times we are in will play a critical role in contextualizing fear of death triggered by unstable circumstances and ameliorating these fears with the wisdom that comes from a living comprehension of the sacredness of our life and eventual death.

  20. Apr 2022
  21. Mar 2022
    1. As a result, members who pursue their own individual interests will also pursue the interests of the organization, as if guided by an invisible hand.  Cooperation pays.  Members capture the benefits of anything they can do to assist the organization.  Within the group, they therefore treat the other as self. 

      Within the group, they therefore treat each other as self.

      But what about when they don't - when people "free-ride". That's a key question. I agree that should we really treat others as ourselves suddenly completely new levels of cooperation would become possible and become easy. However, I think that needs quite a profound ontological shift and that isn't easy.

  22. Feb 2022
    1. Nursing professionals are facing with severe sleep problems during the covid 19 pandemic time. Nurses were asked to work in an environment that had a more increased level of risk than ever before. Depression and anxiety from the workplace could affect the confidence of healthcare workers in themselves as well as general trust in the healthcare system. This will lead to their turnover intention which may undermine the efforts of the governments to control the COVID-19 pandemic. The rising concern may change the working schedules of healthcare workers, offering more occupational healthcare support.

  23. Jan 2022
  24. Nov 2021
    1. What have been the decisive positive and negative changes andchallenges in the teachers

      What have been the decisive positive and negative changes and challenges in the teachers' professional roles and teacher-student relationship? • What tools and strategies have the teachers used to overcome difficulties and strengthen their ability to cope? • How has EDT affected teachers' health and well-being?

    2. Finally, teachers’, principals’ andstudents’ engagement and well-being during the pandemic

      Finally, teachers’, principals’ and students’ engagement and well-being during the pandemic

    1. Professional musicians, concert pianists get to know this instrument deeply, intimately. And through it, they're able to create with sound in a way that just dazzles us, and challenges us, and deepens us. But if you were to look into the mind of a concert pianist, and you used all the modern ways of imaging it, an interesting thing that you would see 00:11:27 is how much of their brain is actually dedicated to this instrument. The ability to coordinate ten fingers. The ability to work the pedal. The feeling of the sound. The understanding of music theory. All these things are represented as different patterns and structures in the brain. And now that you have that thought in your mind, recognize that this beautiful pattern and structure of thought in the brain 00:11:52 was not possible even just a couple hundred years ago. Because the piano was not invented until the year 1700. This beautiful pattern of thought in the brain didn't exist 5,000 years ago. And in this way, the skill of the piano, the relationship to the piano, the beauty that comes from it was not a thinkable thought until very, very recently in human history. 00:12:17 And the invention of the piano itself was not an independent thought. It required a depth of mechanical engineering. It required the history of stringed instruments. It required so many patterns and structures of thought that led to the possibility of its invention and then the possibility of the mastery of its play. And it leads me to a concept I'd like to share with you guys, which I call "The Palette of Being." 00:12:44 Because all of us are born into this life having available to us the experiences of humanity that has come so far. We typically are only able to paint with the patterns of thoughts and the ways of being that existed before. So if the piano and the way of playing it is a way of being, this is a way of being that didn't exist for people 5,000 years ago. 00:13:10 It was a color in the Palette of Being that you couldn't paint with. Nowadays if you are born, you can actually learn the skill; you can learn to be a computer scientist, another color that was not available just a couple hundred years ago. And our lives are really beautiful for the following reason. We're born into this life. We have the ability to go make this unique painting with the colors of being that are around us at the point of our birth. 00:13:36 But in the process of life, we also have the unique opportunity to create a new color. And that might come from the invention of a new thing. A self-driving car. A piano. A computer. It might come from the way that you express yourself as a human being. It might come from a piece of artwork that you create. Each one of these ways of being, these things that we put out into the world 00:14:01 through the creative process of mixing together all the other things that existed at the point that we were born, allow us to expand the Palette of Being for all of society after us. And this leads me to a very simple way to go frame everything that we've talked about today. Because I think a lot of us understand that we exist in this kind of the marvelous universe, 00:14:30 but we think about this universe as we're this tiny, unimportant thing, there's this massive physical universe, and inside of it, there's the biosphere, and inside of that, that's society, and inside of us, we're just one person out of seven billion people, and how can we matter? And we think about this as like a container relationship, where all the goodness comes from the outside to the inside, and there's nothing really special about us. 00:14:56 But the Palette of Being says the opposite. It says that the way that we are in our lives, the way that we affect our friends and our family, begin to change the way that they are able to paint in the future, begins to change the way that communities then affect society, the way that society could then affect its relationship to the biosphere, and the way that the biosphere could then affect the physical planet 00:15:21 and the universe itself. And if it's a possible thing for cyanobacteria to completely transform the physical environment of our planet, it is absolutely a possible thing for us to do the same thing. And it leads to a really important question for the way that we're going to do that, the manner in which we're going to do that. Because we've been given this amazing gift of consciousness.

      The Palette of Being is a very useful idea that is related to Cumulative Cultural Evolution (CCE) and autopoiesis. From CCE, humans are able to pass on new ideas from one generation to the next, made possible by the tool of inscribed language.

      Peter Nonacs group at UCLA as well as Stuart West at Oxford research Major Evolutionary Transitions (MET) West elucidates that modern hominids integrate the remnants of four major stages of MET that have occurred over deep time. Amanda Robins, a researcher in Nonacs group posits the idea that our species of modern hominids are undergoing a Major Systems Transition (MST), due specifically to our development of inscribed language.

      CCE emerges new technologies that shape our human environments in time frames far faster than biological evolutionary timeframes. New human experiences are created which have never been exposed to human brains before, which feedback to affect our biological evolution as well in the process of gene-culture coevolution (GCC), also known as Dual Inheritance theory. In this way, CCE and GCC are entangled. "Gene–culture coevolution is the application of niche-construction reasoning to the human species, recognizing that both genes and culture are subject to similar dynamics, and human society is a cultural construction that provides the environment for fitness-enhancing genetic changes in individuals. The resulting social system is a complex dynamic nonlinear system. " (https://www.ncbi.nlm.nih.gov/pmc/articles/PMC3048999/)

      This metaphor of experiences constituting different colors on a Palette of Being is a powerful one that can contextualize human experiences from a deep time framework. One could argue that language usage automatically forces us into an anthropomorphic lens, for sophisticated language usage at the level of humans appears to be unique amongst our species. Within that constraint, the Palette of Being still provides us with a less myopic, less immediate and arguably less anthropomorphic view of human experience. It is philosophically problematic, however, in the sense that we can speculate about nonhuman modalities of being but never truly experience them. Philosopher Thomas Nagel wrote his classic paper "What it's like to be a bat" to illustrate this problem of experiencing the other. (https://warwick.ac.uk/fac/cross_fac/iatl/study/ugmodules/humananimalstudies/lectures/32/nagel_bat.pdf)

      We can also leverage the Palette of Being in education. Deep Humanity (DH) BEing Journeys are a new kind of experiential, participatory contemplative practice and teaching tool designed to deepen our appreciation of what it is to be human. The polycrisis of the Anthropocene, especially the self-induced climate crisis and the Covid-19 pandemic have precipitated the erosion of stable social norms and reference frames, inducing another crisis, a meaning crisis. In this context, a re-education of embodied philosophy is seen as urgent to make sense of a radically shifting human reality.

      Different human experiences presented as different colors of the Palette of Being situate our crisis in a larger context. One important Deep Humanity BEing journey that can help contextualize and make sense of our experiences is language. Once upon a time, language did not exist. As it gradually emerged, this color came to be added to our Palette of Being, and shaped the normative experiences of humanity in profound ways. It is the case that such profound shifts, lost over deep time come to be taken for granted by modern conspecifics. When such particular colors of the Palette of Being are not situated in deep time, and crisis ensues, that loss of contextualizing and situatedness can be quite disruptive, de-centering, confusing and alienating.

      Being aware of the colors in the Palette can help us shed light on the amazing aspects that culture has invisibly transmitted to us, helping us not take them for granted, and re-establish a sense of awe about our lives as human beings.

    2. That's a picture of it in the background. And this organism has the special trick that we call "photosynthesis," the ability to go take energy from the sun and transform carbon dioxide into oxygen. And over the course of billions of years, so starting from two and a half billion years ago, little by little these bacteria spread across the planet 00:07:08 and converted all that carbon dioxide in the air into the oxygen that we now have. And it was a very slow process. First, they had to saturate the seas, then they had to saturate the oxygen that the earth would absorb, and only then, finally, could oxygen begin to build up in the atmosphere. So you see, just after about 900 million years ago, oxygen starts to build up in the atmosphere. And about 600 million years ago, something really amazing happens. 00:07:35 The ozone layer forms from the oxygen that has been released in the atmosphere. And it sounds like a small deal, like we talked about the ozone a couple decades ago, but it actually turns out that before the ozone layer existed, earth was not really able to sustain complex, multicellular life. We had single-celled organisms, we had a couple of simple, multicellular organisms, but we didn't really have anything like you or me. 00:07:59 And shortly after the ozone layer came into place, the earth was able to sustain complex multicellular life. There was a Cambrian explosion of life in the seas. And the first plants got onto land. In fact, there was actually no life on land ahead of that. Another way to see this is, this is kind of a chart of pretty much most of the animals that you guys are familiar with. 00:08:24 And right at the bottom in time is the formation of the ozone layer. Like nothing that you are familiar with today could exist without the contributions of these tiny organisms over those billions of years. And where are they now? Well actually, they never really left us. The direct descendants of the cyanobacteria were eventually captured by plants. And they're now called chloroplasts. 00:08:49 So this is a zoom-in of a plant leaf - and we probably ate some of these guys today - where tons of little chloroplasts are still trapped - contributing photosynthesis and making energy for the plants that continue to be the other half of our lungs on earth. And in this way, our breaths are very deeply united. Every out-breath is mirrored by the in-breath of a plant,

      This would be nice to turn into a science lesson or to represent this in an experiential, participatory Deep Humanity BEing Journey. To do this, it would be important to elucidate the series of steps leading from one stated result to the next, showing how scientific methodology works to link the series of interconnected ideas together. Especially important is the science that glues everything together over deep time.

    3. today I'm here to describe that everything really is connected, 00:02:02 and not in some abstract, esoteric way but in a very concrete, direct, understandable way. And I am going to do that with three different stories: a story of the heart, a story of the breath, and a story of the mind.

      These three are excellent candidates for multimedia Stop Reset Go (SRG) Deep Humanity (DH) BEing Journey.

      It is relevant to introduce another concept that provides insights into another aspect required for engaging a non-scientific audience, and that is language.

      The audience is important! BEing Journeys must take that into consideration. We can bias the presentation by implicit assumptions. How can we take those implicit assumptions into consideration and thereby expand the audience?

      For a non-scientific audience, these arguments may not be so compelling. In this case, it is important to demonstrate how science can lead us to make such astounding predictions of times and space not directly observable to normative human perception.

    1. Fundamental features of human psychology can constrain the perceived personal relevance and importance of climate change, limiting both action and internalization of the problem. Cognitive shortcuts developed over millennia make us ill-suited in many ways to perceiving and responding to climate change (152), including a tendency to place less emphasis on time-delayed and physically remote risks and to selectively downplay information that is at odds with our identity or worldview (153). Risk perception relies on intuition and direct perceptual signals (e.g., an immediate, tangible threat), whereas for most high-emitting households in the Global North, climate change does not present itself in these terms, except in the case of local experiences of extreme weather events. Where strong concern does exist, this tends to be linked to care for others (154) combined with knowledge about the causes and possible consequences of climate change (155).

      This is indeed a problematic feature of human evolution. It has given rise to what Timothy Morton refers to as "hyperobjects", objects of such vastness in space and time that it defeats human mechanisms of perception at local scale: https://www.upress.umn.edu/book-division/books/hyperobjects https://hyp.is/xROjpD_jEey4a6-Urbh4_Q/www.newyorker.com/culture/persons-of-interest/timothy-mortons-hyper-pandemic

      This psychological constraint is worth demonstrating to individuals to illustrate how we construct our values and responses. These constraints can be demonstrated in a vivid way within the context of Deep Humanity open source praxis BEing journeys.

      As in the New Yorker interview with Morton, we can take Deep Humanity participants on BEing journeys, walkabouts to identify hyperobjects.

      Hyperobjects are also cognitive and highly abstract in nature. This is a clue to another idea that could be enlightening to understanding the problematic context of appreciating hyperobjects such as climate change, and that is the idea of Jakob Von Uexkull's Umwelt:

      "Uexküll was particularly interested in how living beings perceive their environment(s). He argued that organisms experience life in terms of species-specific, spatio-temporal, 'self-in-world' subjective reference frames that he called Umwelt (translated as surrounding-world,[9] phenomenal world,[10] self-world,[10] environment[11] - lit. German environment). These Umwelten (plural of Umwelt) are distinctive from what Uexküll termed the "Umgebung" which would be the living being's surroundings as seen from the likewise peculiar perspective or Umwelt of the human observer. Umwelt may thus be defined as the perceptual world in which an organism exists and acts as a subject. By studying how the senses of various organisms like ticks, sea urchins, amoebae, jellyfish and sea worms work, he was able to build theories of how they experience the world. Because all organisms perceive and react to sensory data as signs, Uexküll argued that they were to be considered as living subjects. This argument was the basis for his biological theory in which the characteristics of biological existence ("life") could not simply be described as a sum of its non-organic parts, but had to be described as subject and a part of a sign system.

      The biosemiotic turn in Jakob von Uexküll's analysis occurs in his discussion of the animal's relationship with its environment. The Umwelt is for him an environment-world which is (according to Giorgio Agamben), "constituted by a more or less broad series of elements [called] "carriers of significance" or "marks" which are the only things that interest the animal". Agamben goes on to paraphrase one example from Uexküll's discussion of a tick, saying,

      "...this eyeless animal finds the way to her watchpoint [at the top of a tall blade of grass] with the help of only its skin’s general sensitivity to light. The approach of her prey becomes apparent to this blind and deaf bandit only through her sense of smell. The odor of butyric acid, which emanates from the sebaceous follicles of all mammals, works on the tick as a signal that causes her to abandon her post (on top of the blade of grass/bush) and fall blindly downward toward her prey. If she is fortunate enough to fall on something warm (which she perceives by means of an organ sensible to a precise temperature) then she has attained her prey, the warm-blooded animal, and thereafter needs only the help of her sense of touch to find the least hairy spot possible and embed herself up to her head in the cutaneous tissue of her prey. She can now slowly suck up a stream of warm blood."[12]

      Thus, for the tick, the Umwelt is reduced to only three (biosemiotic) carriers of significance: (1) The odor of butyric acid, which emanates from the sebaceous follicles of all mammals, (2) The temperature of 37 degrees Celsius (corresponding to the blood of all mammals), (3) The hairiness of mammals." ( From Wikipedia: https://en.wikipedia.org/wiki/Jakob_Johann_von_Uexk%C3%BCll)

      The human umwelt limits us to a relatively small range of sensed signs. CO2 particles is not one of them. We rely on scientific narratives but these are far removed from direct sensing, into the field of conceptualization and abstraction. We have evolved to respond to danger that is sensed, less so to danger that is conceptualized.

  25. Oct 2021
    1. I was speaking in Iowa, and I was asked, “How do you talk to people in Iowa about polar bears?” I said, “You don’t; you talk to them about corn.” If we begin a conversation with someone with something we already agree on, then the subtext is: “You care about this, and I care too. We have this in common.”

      This stresses the importance of applying Deep Humanity wisely by finding the most compelling, salient and meaningful common human denominators appropriate for each conversational context. Which group are we interacting with? What are the major landmarks embedded in THEIR salience landscape?

      The BEing journeys we craft will only be meaningful and impactful if they are appropriately matched to the cultural context.

      The whole mind- body understanding of how we cognitively construct our reality, via Deep Humanity BEing journeys, can help shift our priorities.

  26. bafybeiery76ov25qa7hpadaiziuwhebaefhpxzzx6t6rchn7b37krzgroi.ipfs.dweb.link bafybeiery76ov25qa7hpadaiziuwhebaefhpxzzx6t6rchn7b37krzgroi.ipfs.dweb.link
    1. Fundamental features of human psychology can constrain the perceived personal relevance andimportance of climate change, limiting both action and internalization of the problem. Cognitiveshortcuts developed over millennia make us ill-suited in many ways to perceiving and respondingto climate change (152),including a tendency to place less emphasis on time-delayed and physicallyremote risks and to selectively downplay information that is at odds with our identity or worldview(153). Risk perception relies on intuition and direct perceptual signals (e.g., an immediate, tangiblethreat), whereas for most high-emitting households in the Global North, climate change does notpresent itself in these terms, except in the case of local experiences of extreme weather events.

      This psychological constraint is worth demonstrating to individuals to illustrate how we construct our values and responses. These constraints can be demonstrated in a vivid way wiithin the context of Deep Humanity BEing journeys.

    1. With the aid of the concept of opposing pairs of magnetic poles, we can clearly contribute in a significant way to our expression and understanding of basic relationships in the overall magnetic field. We are proposing to look at soma and significance in a similar way. That is to say, we regard them as two aspects introduced at an arbitrary conceptual cut in the flow of the field of reality as a whole. These aspects are distinguished only in thought, but this distinction helps us to express and understand the whole flow of reality.

      When Bohm writes "These aspects are distinguished only in thought, but this distinction helps us to express and understand the whole flow of reality", it reveals the true nature of words. Their only ever revealing aspects of the whole. They are NOT the whole.Hence, as linguistic animals, we are constantly dissecting parts of the whole of reality.

      Deep Humanity open-source praxis linguistic BEing journeys can be designed to reveal this ubiquitious aspectualizing nature of language to help us all better understand what we are as linguistic beings.

  27. Sep 2021
    1. The classic SPA example is a to-do list. But, you know what? I don't like to-do lists. They make me think about all the things I have to do, many of which I don't want to do.So why don't we make a To-Don't List app? That way we can list all the things we're not going to do. Ever.
  28. Aug 2021
    1. 3. The no-keyword-arguments syntax (**nil) is introduced You can use **nil in a method definition to explicitly mark the method accepts no keyword arguments. Calling such methods with keyword arguments will result in an ArgumentError. (This is actually a new feature, not an incompatibility)
    2. This is useful to make it explicit that the method does not accept keyword arguments. Otherwise, the keywords are absorbed in the rest argument in the above example.
    3. You need to explicitly delegate keyword arguments. def foo(*args, **kwargs, &block) target(*args, **kwargs, &block) end
    4. foo({}, **{}) #=> Ruby 2.7: [{}] (You can pass {} by explicitly passing "no" keywords)
  29. Jun 2021
    1. He was telling me it was 3,500, but the landlord was keeping 2,500 and giving him 1,000 of it. And I had found out, because the own landlord lady told me, and I had to move and I had to lose my job.

      Return to Mexico - challenges - economic well-being Family relations - father tricking him for more money

    1. Prettier intentionally doesn’t support any kind of global configuration. This is to make sure that when a project is copied to another computer, Prettier’s behavior stays the same. Otherwise, Prettier wouldn’t be able to guarantee that everybody in a team gets the same consistent results.
  30. May 2021
    1. Some people, regardless of their experience level are horrible as teachers. A school teacher gets asked the same question every year. Every year they answer them, even if it seems redundant, and the answers are simple to THEM. Teaching requires patience and the acceptance of being asked "dumb questions" repeatedly. If they cannot handle that, then they should simply not teach or pretend to be a teacher.
    1. If your python3 executable is named "python" instead of "python3" (this particularly appears to affect a number of Windows users), then you'll also need to modify the first line of git-filter-repo to replace "python3" with "python".
    1. --tag-rename '':'my-module-' (the single quotes are unnecessary, but make it clearer to a human that we are replacing the empty string as a prefix with my-module-)
    1. They're less likely to go into the "Promotions" tab in Gmail (used by ~16% of all email users), for the same reasons above. From my testing, the plain emails typically end up in the Updates tab and some times even in the primary tab. Of course, the text in the email also affects this.
    2. You can use a free spam checker to validate this by testing plain and designed emails.
  31. Apr 2021
    1. Explicit affordances are obvious, perceptual features of an item that clue you in on how it is to be used. With explicit affordances, physical appearance and any accompanying language or text inform the user of how an object is to be used.
  32. Mar 2021
    1. Occasionally, like with search engines, #2 occurs because the incumbents gain massive economies of scale (classic Microeconomics), where by virtue of their being large, the cost to produce each incremental good or service at scale becomes much lower.
    1. the explicit modelling has one massive advantage: all possible outcomes of the nested activity are visible and have to be connected in the outer diagram
  33. Feb 2021
    1. To understand this helper, you should understand that every step invocation calls Output() for you behind the scenes. The following DSL use is identical to the one [above]. class Execute < Trailblazer::Activity::Railway step :find_provider, Output(Trailblazer::Activity::Left, :failure) => Track(:failure), Output(Trailblazer::Activity::Right, :success) => Track(:success)
    1. Because the Berne Convention in most countries by default grants copyright holders monopolistic control over their creations, copyright content must be explicitly declared free, usually by the referencing or inclusion of licensing statements from within the work.
    1. The bare bones operation without any Trailblazery is implemented in the trailblazer-operation gem and can be used without our stack.
    2. While Trailblazer offers you abstraction layers for all aspects of Ruby On Rails, it does not missionize you. Wherever you want, you may fall back to the "Rails Way" with fat models, monolithic controllers, global helpers, etc. This is not a bad thing, but allows you to step-wise introduce Trailblazer's encapsulation in your app without having to rewrite it.
    3. Only use what you like.
    4. you can pick which layers you want. Trailblazer doesn't impose technical implementations
    1. The Java packages contain a lot of great code. But there are also parts of that code I'm sure the authors are embarrassed to admit they wrote.
    1. We got this email from Parabo, the print shop app, and smiled. Instead of the very standard “Please confirm subscription” header text, we were greeted with a funny, whimsical hello that’s totally in their brand voice. “We really want you to want us” is a clever way to break up the usual mundane greeting, and, guess what? It totally reaffirmed why we thought we wanted to sign up for their emails in the first place.
  34. Dec 2020
  35. Nov 2020
    1. The Thirteen Sources of Well-Being:More positive emotionsFewer negative emotionsLife satisfactionVitalityEnvironmental masteryPositive relationshipsSelf-acceptanceMasteryAutonomyPersonal growthEngagement in lifePurpose and meaning in lifeTranscendent experiences

      The Thirteen Sources of Well-Being

      1. More positive emotions
      2. Fewer negative emotions
      3. Life satisfaction
      4. Vitality
      5. Environmental mastery
      6. Positive relationships
      7. Self-acceptance
      8. Mastery
      9. Autonomy
      10. Personal growth
      11. Engagement in life
      12. Purpose and meaning in life
      13. Transcendent experiences
    1. This decorators proposal is based on a common model where each decorator affects just one syntactic element--either a field, or a method, or a getter, or setter, or a class. It is immediately visible what is being decorated.
    1. There are several built-in modules — math, color, string, list, map, selector, and meta — which have to be imported explicitly in a file before they are used:
    2. In brief, @import is being replaced with more explicit @use and @forward rules. Over the next few years Sass @import will be deprecated, and then removed.
  36. Oct 2020
    1. Scholars like Annette Gordon-Reed and Woody Holton have given us a deeper understanding of the ways in which leaders like Thomas Jefferson committed to new ideas of freedom even as they continued to be deeply committed to slavery.

      I've not seen any research that relates the Renaissance ideas of the Great Chain of Being moving into this new era of supposed freedom. In some sense I'm seeing the richest elite whites trying to maintain their own place in a larger hierarchy rather than stronger beliefs in equality and hard work.

  37. Sep 2020
    1. In my opinion, because Webpack was one of the first bundlers, is heavily packed with features, and has to support swathes of legacy code and legacy module systems, it can make configuring Webpack cumbersome and challenging to use. Over the years, I’ve written package managers, compilers, and bundlers, and I still find configuring Webpack to be messy and unintuitive.
    1. Explicit interfaces are preferable, even if it places greater demand on library authors to design both their components and their style interfaces with these things in mind.
    2. Web developers are well aware of the mess you can get into with global CSS, and the action of writing <Child class="foo"/> and <div class={_class}>` (or similar) in the child component is an explicit indication that, while taking advantage of all the greatness of style encapsulation by default, in this case you have decided that you want a very specific and controlled "leak", of one class, from one component instance to one component instance.
    1. If you copy an entire article from this site and republish it on your own site like you wrote it, that’s a little uncool. I won’t be mad at you for stealing, I just think you’re better than that and want to see you do better. I’m not going to come after you though. I’d rather play ball with my dog. The only time I’ll be mad at you is if you go out of your way to try and hurt me somehow. And again I probably won’t even be mad, just sad. Unless I’m having a bad day too, in which case I apologize in advance for my snarky replies.
  38. Aug 2020
  39. Jul 2020
    1. Rojas, F. L., Jiang, X., Montenovo, L., Simon, K. I., Weinberg, B. A., & Wing, C. (2020). Is the Cure Worse than the Problem Itself? Immediate Labor Market Effects of COVID-19 Case Rates and School Closures in the U.S. (Working Paper No. 27127; Working Paper Series). National Bureau of Economic Research. https://doi.org/10.3386/w27127

  40. Jun 2020
  41. May 2020
    1. It’s so much easier to be a critic than a celebrator. Always remember there is a human being on the other end of every exchange and behind every cultural artifact being critiqued.
    1. Explicit Form (where the purpose of the sign-up mechanism is unequivocal). So for example, in a scenario where your site has a pop-up window that invites users to sign up to your newsletter using a clear phrase such as: “Subscribe to our newsletter for access to discount vouchers and product updates!“, the affirmative action that the user performs by typing in their email address would be considered valid consent.
    2. Generally, these laws apply to any service targeting residents of the region, which effectively means that they may apply to your business whether it’s located in the region or not.
    1. Generally, such legislations apply to any service targeting residents of the region, which effectively means that they may apply to your business whether it’s located in the region or not
    2. These rules usually apply to any company selling to EU residents but may vary for international sellers on a case-by-case basis. It is worth noting, however, that in recent cases US courts have chosen to uphold the applicable EU law.
    1. Does a China-based company selling goods over a website only drafted in Chinese need to comply with the GDPR just because it’s possible, from a practical point of view, that some EU-based Chinese persons might purchase something from it? In principle we’d say no, unless it can be proven, that the company is doing relevant business with EU-based customers, or is addressing them expressly (for instance, by informing that “delivery to the EU” or “payment from an EU bank account” are possible etc.).
  42. Apr 2020
    1. there's no reasonable way to communicate effectively with the less technically minded without acquiescing to the nontechnical misuse of the term "hacker"
    2. The more easily relabeled of the two uses of the term "hacker" is the malicious security cracker: it is not only the more recent phenomenon to acquire that label, but also the one whose meaning is most easily evoked by an alternative term. This is why, when you read an article of mine that talks about malicious security crackers, I use the term "malicious security cracker"
    1. Cloudflare might have given me the service for free, but they still have to pay for bandwidth so I'd like to ask for your support in pulling the data down via torrents rather than from the direct download link. To that effect, the UI actively encourages you to grab the torrent
    1. The point is that users should be in control of their data, which means they need an easy way of accessing it. Providing an API or the ability to download 5,000 photos one at a time doesn't exactly make it easy for your average user to move data in or out of a product.
    2. It's typically a lot easier for software engineers to pull data out of a service that they use than it is for regular users. If APIs are available, we engineers can cobble together a program to pull our data out. Without APIs, we can even whip up a screen scraper to get a copy of the data. Unfortunately, for most users this is not an option, and they're often left wondering if they can get their data out at all.
  43. Mar 2020
    1. these active behaviors may include continued browsing, clicking, scrolling the page or some method that requires the user to actively proceed; this is somewhat left up to your discretion. Some website/app owners may favor a click-to-consent method over scrolling/continued-browsing methods as the former is less likely to be performed by user error.
    1. Rather than using NFS for this task, use explicit data duplication, via one of the long-established mechanisms designed for this purpose.
  44. Feb 2020
    1. just ask the question directly, and the person will respond asynchronously. If you truly need to have a synchronous communication, then start by asking for that explicitly, while mentioning the subject. e.g., "I'm having trouble understanding issue #x, can we talk about it quickly?"
    1. But, let’s be pragmatic for a second, the 80/20 rule states that you get 80% of the value from 20% of the work and a couple of simple tests are vastly better than no tests at all. Start small and simple, make sure you get something out of the testing first, then expand the test suite and add more complexity until you feel that you’ve reached the point where more effort spent on realism will not give enough return on your invested time.
  45. Nov 2019
  46. Sep 2019
    1. Jordan Peterson on The Necessity of Virtue

      "When you limit yourself, sometimes arbitrarily, and play the game, whole new possibilities emerge."

      "Being is not possible without limitation. The price you pay for being is limitation and the price for limitation is suffering."

  47. Aug 2019
    1. “You only get one mind and one body. And it’s got to last a lifetime. Now, it’s very easy to let them ride for many years. But if you don’t take care of that mind and that body, they’ll be a wreck forty years later, just like the car would be.” — Warren Buffett
    2. “I insist on a lot of time being spent, almost every day, to just sit and think. That is very uncommon in American business. I read and think. so I do more reading and thinking, and make less impulse decisions than most people in business. I do it because I like this kind of life.” — Warren Buffett
    3. Cultivate positive habits and stick to them with a daily routine. How much better do you feel on the days that you do something good for yourself? Perhaps it’s the days that you exercise or maybe when you are really focused at work. Your days just seem to go smoother, don’t they? You can have that every day. It’s just a matter of deciding what you want to do and following through with it. Start small. Decide on one positive habit that you can start doing today, and then do it. Then do it again tomorrow. Once you’ve mastered one habit, you can put that momentum toward building a way to have the best day ever (every single day).