241 Matching Annotations
  1. Apr 2024
  2. Mar 2024
  3. Feb 2024
    1. Zenkit Suite

      • Zenkit ToDo (interested in)

      also has: Zen Hypernotes (knowledge, notes & Wiki)* interesting ZenProjects zenForms (forms & surveys) ZenChat Base (all-in-one collaboration platform)

    1. One of my inquiries was for anecdotes regarding mistakes made between the twins by their near relatives. The replies are numerous, but not very varied in character. When the twins are children, they are usually distinguished by ribbons tied round the wrist or neck; nevertheless the one is sometimes fed, physicked, and whipped by mistake for the other, and the description of these little domestic catastrophes was usually given by the mother, in a phraseology that is some- [p. 158] what touching by reason of its seriousness.

    2. "But twins have a special claim upon our attention; it is, that their history affords means of distinguishing between the effects of tendencies received at birth, and of those that were imposed by the special circumstances of their after lives."

    1. Langes Interview mit Hans Joachim Schellnhuber im Standard, under anderem zu Kipppunkten und der Möglichkeit, dass wir uns schon auf dem Weg in ein „neues Klimaregime“ befinden. Schellnhuber geht davon aus, dass auch das 2°-Ziel überschritten werden wird. Der „Königsweg“, um der Atmosphäre danach wieder CO<sub>2</sub> zu entziehen, sei der weltweite Ersatz von Zement durch Holz beim Bauen, den er als Direktor des IIASA vor allem erforschen wolle. Die Wahrscheinlichkeit dafür, dass „noch alles gutgehen" werde, sei gering. https://www.derstandard.at/story/3000000204635/klimaforscher-schellnhuber-werden-auch-ueber-das-zwei-grad-ziel-hinausschiessen

  4. Jan 2024
    1. you have the slime mold and you put a piece of oat which the Slime wants to eat

      for - individual or collective behavior - slime mold - prisoner's dilemma and slime molds - slime molds - me vs we - me vs we - slime molds - adjacency - slime molds - me vs we - multicellular organisms

      • quote
        • You have the slime mold and you put a piece of oat which the Slime wants to eat and
        • it starts to crawl towards that oat and then
        • What you can do is you can take a razor blade and just cut off that leading edge
          • the little piece of it that's moving towards the oat
        • Now as soon as you've done that
        • that little piece is a new individual and
        • it has a decision to make
          • it can go in and get the oat and exploit that resource and not have to share it with this giant mass of faizaram that's back here or
          • it can first merge back and connect back to the original mass
            • because they can reconnect quite easily and then they go get the oat
        • Now the thing is that the the payoff Matrix looks quite different because
        • when it's by itself it can do this calculus of "well, it's better for me to go get the food instead of and not share it with this other thing"
        • but as soon as you connect, that payoff Matrix changes because there is no me and you
          • there's just we and at that point it doesn't make any sense to the fact that
          • you can't defect against yourself so that payoff table of actions and consequences looks quite different
          • because some of the actions change the number of players and
          • that's really weird

      adjacency between - slime molds - me vs we -multicellular organisms - social superorganism and societal breakdown - adjacency statement - A simple slime mold experiment could make an excellent BEing journey - to demonstrate how multicellular beings operate through higher order organizational principle of collaboration that - keeps cells aligned with a common purpose, - but that each cellular unit also comes equipped with - an evolutionarily inherited legacy of individual control system - normally, the evolutionarily later and higher order collaborative signaling that keeps the multi-cellular being unified overrides the lower order, evolutionarily more primitive autonomous cellular control system - however, pathological conditions can occur that disrupt the collaborative signaling, causing an override condition, and individual cells to revert back to their more primitive legacy survival system - The same principles happen at a societal level. - In a healthy, well-functioning society, the collaborative signaling keeps the society together - but if it is severely disrupted, social order breakdown ensues and - individual human beings and small groups resort to individual survival behavior

    1. Instance methods Instances of Models are documents. Documents have many of their own built-in instance methods. We may also define our own custom document instance methods. // define a schema const animalSchema = new Schema({ name: String, type: String }, { // Assign a function to the "methods" object of our animalSchema through schema options. // By following this approach, there is no need to create a separate TS type to define the type of the instance functions. methods: { findSimilarTypes(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); } } }); // Or, assign a function to the "methods" object of our animalSchema animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); }; Now all of our animal instances have a findSimilarTypes method available to them. const Animal = mongoose.model('Animal', animalSchema); const dog = new Animal({ type: 'dog' }); dog.findSimilarTypes((err, dogs) => { console.log(dogs); // woof }); Overwriting a default mongoose document method may lead to unpredictable results. See this for more details. The example above uses the Schema.methods object directly to save an instance method. You can also use the Schema.method() helper as described here. Do not declare methods using ES6 arrow functions (=>). Arrow functions explicitly prevent binding this, so your method will not have access to the document and the above examples will not work.

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

      1. What is it and why is it used?

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

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

      2. Syntax:

      Using methods object directly in the schema options:

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

      Using methods object directly in the schema:

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

      Using Schema.method() helper:

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

      3. Explanation in Simple Words with Examples:

      Why it's Used:

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

      Example:

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

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

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

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

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

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

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

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

    Tags

    Annotators

    URL

    1. What they say is this is due to is new EU policies about messenger apps. I'm not in the EU. I reckon it's really because there's a new Messenger desktop client for Windows 10, which does have these features. Downloading the app gives FB access to more data from your machine to sell to companies for personalized advertising purposes.
  5. Dec 2023
    1. A personalized button gives users a quick indication of the session status, both on Google's side and on your website, before they click the button. This is especially helpful to end users who visit your website only occasionally. They may forget whether an account has been created or not, and in which way. A personalized button reminds them that Sign In With Google has been used before. Thus, it helps to prevent unnecessary duplicate account creation on your website.

      first sighting: sign-in: problem: forgetting whether an account has been created or not, and in which way

  6. Nov 2023
    1. logIntoMicrosoft

      I think logInToMicrosoft would be slightly better, but this is surely much better than the completely incorrect loginToMicrosoft

    2. loginTo

      Incorrect. Should be logInTo or logInto, same as it is in the other functions, logIntoMicrosoft, ...

  7. Oct 2023
      • for: Yuval Noah Harari, Hamas Israel war 2023, global liberal order, abused-abuser cycle, And not Or

      • summary

        • In this interview, Yuval Noah Harari offers insights on the trap that Hamas's brutality has set for the Israeli army and reflections on the abused-abuser cycle.
        • If Israeli government falls into that trap and inflicts unprecedented collateral damage, it will scupper the chance for peace for generations to come, and Hamas will have succeeded in its goal.
        • Harari identifies a key insight that could help create better empathy between warring parties, to recognize the abused-abuser cycle and how we can be both abused AND abuser at the same time
        • Harari reflects on the breakdown of the global liberal order, offering a simple yet insightful anthropological definition of the global liberal order showing how in spite of its many flaws, fundamentally is biologically humanistic at the core. What is needed is a way to decouple the harmful features the current form of it possesses
    1. it's hard to people to understand that you can be victim and perpetrator at the 00:35:03 same time it's a very simple fact impossible to accept for most people either you're a victim or you're perpetrator there is no other but no usually we are both you know from the level of individuals how we behave in 00:35:17 our family to the level of entire nations we are usually both and and and of course perhaps one issue is that we don't feel like that as individuals we don't feel that we have the full responsibility for our state so there's 00:35:28 a sort of strange problem here too which is that you feel as an individual that you're a victim and you feel distance from your state
      • for: victim AND perpetrator, situatedness, perspectival knowing, AND, not OR, abused-abuser cycle, individual /collective gestalt, Hamas Israel war 2023

      • quote

        • It's hard for people to understand that you can be victim and perpetrator at the same time
        • It's a very simple fact impossible to accept for most people
      • author: Yuval Noah Harari
      • date: Sept 2023
    1. It’s not one or the other. It’s both.
      • for: conflict, Israel-Palestine conflict

      • comment

        • it's "and", not "or"
  8. Sep 2023
    1. If anything in this policy does not fit with your own local policy, you should not use dnswl.org for whitelisting or similar purposes.
    1. better health, better security, better economy, secure job, better... Simply a more modern, attractive life.
      • for: Johan Rockstrom - wellbeing economy, wellbeing economy, green growth, degrowth, question, question - Johan Rockstrom - green growth or degrowth?
      • question
        • Does Johan Rockstrom advocate for a green economy or degrowth?
        • He would seem to be arguing for green growth as degrowth, if not done extremely carefully, can result in a drop in wellbeing.
        • How does he see this taking place when the elites perceive that they have the most (at least materially) to give up? Is there a contradiction here?
    1. Recent work has revealed several new and significant aspects of the dynamics of theory change. First, statistical information, information about the probabilistic contingencies between events, plays a particularly important role in theory-formation both in science and in childhood. In the last fifteen years we’ve discovered the power of early statistical learning.

      The data of the past is congruent with the current psychological trends that face the education system of today. Developmentalists have charted how children construct and revise intuitive theories. In turn, a variety of theories have developed because of the greater use of statistical information that supports probabilistic contingencies that help to better inform us of causal models and their distinctive cognitive functions. These studies investigate the physical, psychological, and social domains. In the case of intuitive psychology, or "theory of mind," developmentalism has traced a progression from an early understanding of emotion and action to an understanding of intentions and simple aspects of perception, to an understanding of knowledge vs. ignorance, and finally to a representational and then an interpretive theory of mind.

      The mechanisms by which life evolved—from chemical beginnings to cognizing human beings—are central to understanding the psychological basis of learning. We are the product of an evolutionary process and it is the mechanisms inherent in this process that offer the most probable explanations to how we think and learn.

      Bada, & Olusegun, S. (2015). Constructivism Learning Theory : A Paradigm for Teaching and Learning.

  9. Aug 2023
    1. our systems are dysfunctional as 00:43:29 is and i would say that is evidenced by the fact that we are under extreme threat
      • for: polycrisis, adapt or die, evolutionary pressure, maladaptive
      • paraphrase
        • the fact that we could be in the early stages of extinction is evidence that there is something deeply dysfunctional about the systems we have designed
      • comment
        • from evolutionary biology perspective, also could argue that
          • we have become maladaptive due to the huge mismatch between
            • rate of genetic biological evolution and
            • rate of human cultural evolution
          • in other words,
            • human (cultural) progress,
            • cumulative cultural evolution,
            • gene-culture coevolution
            • has resulted in progress traps
          • Progress traps leading to our progress traps may be evolutions milestone / marker / indicator to us that
          • we must now evolve to our next stage if we are to even survive
          • in other words, the polycrisis itself may be contextualized as an evolutionary pressure to adapt or die
  10. Jul 2023
    1. to recycle a familiarphrase taught at journalism schools—without fear or favor, and letthe chips fall where they may.

      Which journalism schools taught "without fear or favor"? When?

    1. Professor Büchs said
      • quote
        • "Policymakers need to win public support for energy demand reduction mechanisms. -The reality is decarbonisation on the supply side, where energy is generated and distributed, will not be enough to deliver the emission reductions that are needed. -So, energy demand will have to be reduced. That is the inescapable reality."
      • Author
        • Milena Buchs
      • Experts on the UN's Intergovernmental Panel on Climate Change estimate that
        • reducing energy demand could produce between 40% and 70% of the emissions reductions that need to be found by 2050.

      "Our research is indicating that public support for energy demand reduction is possible if the public see the schemes as being fair and deliver climate justice."

  11. Jun 2023
    1. A and an are two different forms of the same word: the indefinite article a that is used before noun phrases. Use a when the noun or adjective that comes next begins with a consonant sound. Use an when the noun or adjective that comes next begins with a vowel sound.

      Use a when next word begins with consonant, an when it begins with a vowel.

    1. If we hand most, if not all responsibility for that exploration to the relatively small number of people who talk at conferences, or have popular blogs, or who tweet a lot, or who maintain these very popular projects and frameworks, then that’s only a very limited perspective compared to the enormous size of the Ruby community.
    1. Have you ever: Been disappointed, surprised or hurt by a library etc. that had a bug that could have been fixed with inheritance and few lines of code, but due to private / final methods and classes were forced to wait for an official patch that might never come? I have. Wanted to use a library for a slightly different use case than was imagined by the authors but were unable to do so because of private / final methods and classes? I have.
    2. It often eliminates the only practical solution to unforseen problems or use cases.
  12. learn-us-east-1-prod-fleet01-xythos.content.blackboardcdn.com learn-us-east-1-prod-fleet01-xythos.content.blackboardcdn.com
    1. The problem with that presumption is that people are alltoo willing to lower standards in order to make the purported newcomer appear smart. Justas people are willing to bend over backwards and make themselves stupid in order tomake an AI interface appear smart

      AI has recently become such a big thing in our lives today. For a while I was seeing chatgpt and snapchat AI all over the media. I feel like people ask these sites stupid questions that they already know the answer too because they don't want to take a few minutes to think about the answer. I found a website stating how many people use AI and not surprisingly, it shows that 27% of Americans say they use it several times a day. I can't imagine how many people use it per year.

  13. May 2023
    1. Bond

      A bond is a fixed-income instrument that represents a loan made by an investor to a borrower (typically corporate or governmental). A bond could be thought of as an I.O.U. between the lender and borrower that includes the details of the loan and its payments. Bonds are used by companies, municipalities, states, and sovereign governments to finance projects and operations. Owners of bonds are debtholders, or creditors, of the issuer.

  14. Apr 2023
    1. https://thetype.space/

      Sales, service and repair of typewriters. Also has some parts access according to some.

    1. Practical reasoning is a goal-directed sequence of linked practical inferencesthat seeks out a prudent line of conduct for an agent in a set of particular circumstances known by the agent. Where a is an agent, A is an action, and G a goal, thetwo basic types of practical inferences are respectively, the necessary conditionscheme and the sufficient condition scheme (Walton, Pract. Reas., 1 990; see alsoSchellens, 1 987).G is a goal for aDoing A is necessary for a to carry out GTherefore, a ought to do AG is a goal for aDoing A is sufficient for a to carry out GTherefore, a ought to do A
      • Goal Directed sequence
      • Agent Awareness
      • Act may be sufficient or necessary for Goal. *Therefore, Agent carries Act out
      • Required to Understand the Qualification Weight of Act is it necessary or sufficient?
    1. Not only does Locke providean intellectual foundation for Rousseau’s view of the child as an experimenter,we can also see the seeds of Rousseau’s notions of the plasticity of the child’smind

      John Locke provides some intellectual foundation in his Some Thoughts Concerning Education (1693) for Rousseau's Émile (1762) progressive and empiricist perspectives of teaching and learning.

    1. will fail to give them credit for brilliant talents and excellent dispositions.

      I am confused on who Frederick Douglas referred to as the people who will fail to give these women credit for brilliant talents and excelent dispositons. Was he talking about the audience at the convention or was he talking about people in the general population?

    2. Among these was a declaration of sentiments, to be regarded as the basis of a grand movement for attaining all the civil, social, political and religious rights of woman.

      What were these sentiments? I am curious about how they constructed and pushed forth with their views and points. Fedrick Douglas mentioned that some of these women read their greivances; I have a question for these women. Were any of the sentiments more important than the others, and why?

    3. Many who have at last made the discovery that negroes have some rights as well as other members of the human family, have yet to be convinced that woman is entitled to any.

      So basically a black woman had to fight for her rights because she is black AND because she is a woman? A black woman had two barriers that held them from being treated like a decent human being, and not one or the other. Of course there were other circumstances and disadvantages but race and gender were big at this time.

  15. Feb 2023
    1. They write a bunch of crap down that they wish they’d be able to do (secretly knowing they never will) and then their task manager gets overwhelming and they drop it because there is too much noise. This is why systems like Bullet Journal thrive in a digital world. When something is too hard to migrate to a new page or notebook, you just said it’s not worth doing and you let it go. Bullet Journal is a no-first system.

      Bullet journaling works well in a noisy world because it forces people to confront what they're eventually not going to do anyway and gets them to drop it rather than leaving it on an ever-growing list.

      Carrying forward to do lists manually encourages one to quit things that aren't going to get done.

    1. many experience a freeze response (fear and inability to act), or indeed a flight response - avoiding the problem altogether.While it can feel counter-intuitive, meeting climate dismissives with compassion can go a long way and help them break free from denial.
      • many experience a = freeze response (fear and inability to act), or indeed a = flight response
      • avoiding the problem altogether.
      • While it can feel counter-intuitive, meeting climate dismissives with = compassion can go a long way and help them break free from denial.
  16. Jan 2023
  17. Dec 2022
  18. Nov 2022
    1. Some software attempts to hide this by translating the bytes of invalid UTF-8 to matching characters in Windows-1252 (since that is the most likely source of these errors), so that the replacement character is never seen.
  19. Oct 2022
    1. Émile flew offthe shelves in 18th-century Paris. In fact, booksellers found it more profitable torent it out by the hour than to sell it. Ultimately the excitement got too much forthe authorities and Émile was banned in Paris and burned in Geneva

      Émile: or On Education was so popular that it was rented out by the hour for additional profit instead of being sold outright. [summary]


      When did book rental in education spaces become a business model? What has it looked like historically?

    2. Rousseau’sheretical view was that anything which was outside children’s experience wouldbe meaningless to them, much as Plato, Comenius, and others had warned. Hisinsights had condensed principally out of the prevailing intellectual atmosphereat the time—empiricism, explicated by philosophers such as John Locke. We’lllook at Locke and Rousseau in more detail in Chapter 2.

      Just as the ideas of liberty and freedom were gifted to us by Indigenous North Americans as is shown by Graeber and Wengrow in The Dawn of Everything, is it possible that the same sorts of ideas but within the educational sphere were being transmitted by Indigenous intellectuals to Europe in the same way? Is Rousseau's 18th century book Emile, or On Education of this sort?

      What other sorts of philosophies invaded Western thought at this time?

    3. Jean-Jacques Rousseau, who shockedthe world with Émile: or On Education ([1762] 1993).

      Rousseau, Jean-Jacques. Émile, or On Education. Translated by Alan Bloom. 1762. Reprint, Basic Books, 1979. https://www.basicbooks.com/titles/jean-jacques-rousseau/emile/9780465019311/

  20. Sep 2022
    1. Oh, my goodness. It's kind of scary looking, actually.

      This reminded me of a time when I was on vacation to Iraq in the city of Karbala. There was a blue car on the street, without a driver in the car. The police arrived with dogs that looked very scary. The dogs circled around the car, and they sniffed out explosives. The police then ordered the people to empty the street so everyone can be safe.

  21. Aug 2022
    1. Replace 'log' with 'clock'; do you think it should be "clockin" because you aren't "clocking" anything? Plus, if 'login' was a verb, you'd not be logging in, but logining. Eww. Or, you'd have just logined instead of logged in.
    2. I feel very happy about them indeed because they take me to the destinations they promise (they're all nouns). Login doesn't take me to my login, which makes me sad. It does take me to a place where I can log in, however.
    1. "you can verb any noun". :) Though, comparing "ssh into a workstation" to "login to host.com", where "log in" exists, it's a bit like saying "entrance the building" when "enter the building" already works
    2. Login is a noun, the same as breakup (suffer a breakup), backup (keep backups safe), spinoff (a Star Wars spinoff), makeup, letdown,
  22. Jul 2022
    1. This section does not apply to any political party or group which has had a place on the ballot in each national and gubernatorial election since the year 1900.

      You are only allowed to advocate overthrow of the Government in Ohio if you are a Republican or Democrat.

    1. Not saying I agree or disagree with this, but the existence of a class system in tech jobs is the OP’s central point.

      I'm continually surprised when someone posts and HN fails to understand even very basic points in a piece of writing, even when they're very clearly made like they were here. PragmaticPulp's top comment (and the fact that is the top comment) is completely mystifying, for example.

  23. Jun 2022
    1. it's really worth reading some of the things 00:18:00 that they're saying on climate change now and so what about 2 degrees C that's the 46th pathway that's the thousand Gigaton pathway the two degrees so you 00:18:13 look at the gap but between those two just an enormous that's where where no English edding we're all part of this and that's where we know we have to go from the science and that's where we keep telling other parts of the world begun to try to achieve the problem with 00:18:26 that and there's an engineer this is quite depressing in some respects is that this part at the beginning where we are now is too early for low-carbon supply you cannot build your way out of this with bits of engineering kit and 00:18:39 that is quite depressing because that leaves us with the social implications of what you have to do otherwise but I just want to test that assumption just think about this there's been a lot of discussion I don't know about within Iceland but in the UK quite a lot me 00:18:51 environmentalist have swapped over saying they think nuclear power is the answer or these one of the major answers to this and I'm I remain agnostic about nuclear power yeah it's very low carbon five to 15 grams of carbon dioxide per 00:19:03 kilowatt hour so it's it's similar to renewables and five to ten times lower than carbon capture and storage so nuclear power is very low carbon it has lots of other issues but it's a very low carbon but let's put a bit of 00:19:15 perspective on this we totally we consume in total about a hundred thousand ten watts hours of energy around the globe so just a very large amount of energy lots of energy for those of you I'm not familiar with these units global electricity consumption is 00:19:30 about 20,000 tarantella patelliday hours so 20% of lots of energy so that's our electricity nuclear provides about 11 a half percent of the electricity around the globe of what we consume of our 00:19:42 final energy consumption so that means nuclear provides about two-and-a-half percent of the global energy demand about two and a half percent that's from 435 nuclear power stations provide two 00:19:56 and a half percent of the world's energy demand if you wanted to provide 25% of the world's energy demand you'd probably need something in the region of three or four thousand new nuclear power stations to be built in the next 30 00:20:08 years three or four thousand new nuclear power stations to make a decent dent in our energy consumption and that assumes our energy consumptions remain static and it's not it's going up we're building 70 so just to put some sense 00:20:21 honest you hear this with every technology whether it's wind wave tidal CCS all these big bits of it technology these are going to solve the problem you cannot build them fast enough to get away from the fact that we're going to 00:20:34 blow our carbon budget and that's a really uncomfortable message because no one wants to hear that because the repercussions of that are that we have to reduce our energy demand so we have to reduce demand now now it is really 00:20:48 important the supply side I'm not saying it's not important it is essential but if we do not do something about the men we will not be able to hold to to probably even three degrees C and that's a global analysis and the iron would be 00:21:00 well we have signed up repeatedly on the basis of equity and when we say that we normally mean the poorer parts of the world would be allowed to we'll be able to peak their emissions later than we will be able to in the West that seems a 00:21:13 quite a fair thing that probably but no one would really argue I think against the idea of poor parts the world having a bit more time and space before they move off fossil fuels because there that links to their welfare to their improvements that use of energy now 00:21:27 let's imagine that the poor parts the world the non-oecd countries and I usually use the language of non annex 1 countries for those people who are familiar with that sort of IPCC language let's imagine that those parts of the 00:21:39 world including Indian China could peak their emissions by 2025 that is hugely challenging I think is just about doable if we show some examples in the West but I think it's just about past possible as 00:21:51 the emissions are going up significantly they could peak by 2025 before coming down and if we then started to get a reduction by say 2028 2029 2030 of 6 to 8 percent per annum which again is a 00:22:02 massive reduction rate that is a big challenge for poor parts of the world so I'm not letting them get away with anything here that's saying if they did all of that you can work out what carbon budget they would use up over the century and then you know what total carbon budget is for two degree 00:22:16 centigrade and you can say what's left for us the wealthy parts of the world that seems quite a fair way of looking at this and if you do it like that what's that mean for us that means we'd have to have and I'm redoing this it now 00:22:28 and I think it's really well above 10% because this is based on a paper in 2011 which was using data from 2009 to 10 so I think this number is probably been nearly 13 to 15 percent mark now but about 10 percent per annum reduction 00:22:40 rate in emissions year on year starting preferably yesterday that's a 40 percent reduction in our total emissions by 2018 just think their own lives could we reduce our emissions by 40 percent by 00:22:52 2018 I'm sure we could I'm sure we'll choose not to but sure we could do that but at 70 percent reduction by 2020 for 20-25 and basically would have to be pretty much zero carbon emissions not just from electricity from everything by 00:23:06 2030 or 2035 that sort of timeframe that just this that's just the simple blunt maths that comes out of the carbon budgets and very demanding reduction rates from poorer parts of the world now 00:23:19 these are radical emission reduction rates that we cannot you say you cannot build your way out or you have to do it with with how we consume our energy in the short term now that looks too difficult well what about four degrees six that's what you hear all the time that's too difficult so what about four 00:23:31 degrees C because actually the two degrees C we're heading towards is probably nearer three now anyway so I'm betting on your probabilities so let's think about four degrees C well what it gives you as a larger carbon budget and we all like that because it means I can 00:23:43 attend more fancy international conferences and we can come on going on rock climbing colleges in my case you know we can all count on doing than living the lives that we like so we quite like a larger carbon budget low rates of mitigation but what are the 00:23:54 impacts this is not my area so I'm taking some work here from the Hadley Centre in the UK who did some some analysis with the phone and Commonwealth Office but you're all probably familiar with these sorts of things and there's a range of these impacts that are out there a four degree C global average 00:24:07 means you're going to much larger averages on land because mostly over most of the planet is covered in oceans and they take longer to warm up but think during the heat waves what that might play out to mean so during times 00:24:18 when we're already under stress in our societies think of the European heat wave I don't know whether it got to Iceland or not and in 2003 well it was it was quite warm in the West Europe too warm it's probably much nicer 00:24:31 in Iceland and there were twenty to thirty thousand people died across Europe during that period now add eight degrees on top of that heat wave and it could be a longer heat wave and you start to think that our infrastructure start to break down the 00:24:45 cables that were used to bring power to our homes to our fridges to our water pumps those cables are underground and they're cooled by soil moisture as the soil moisture evaporates during a prolonged heatwave those cables cannot 00:24:56 carry as much power to our fridges and our water pumps so our fridges and water pumps can no longer work some of them will be now starting to break down so the food and our fridges will be perishing at the same time that our neighbors food is perishing so you live 00:25:08 in London eight million people three days of food in the whole city and it's got a heat wave and the food is anybody perishing in the fridges so you think you know bring the food from the ports but the similar problems might be happening in Europe and anyway the tarmac for the roads that we have in the 00:25:19 UK can't deal with those temperatures so it's melting so you can't bring the food up from the ports and the train lines that we put in place aren't designed for those temperatures and they're buckling so you can't bring the trains up so you've got 8 million people in London 00:25:31 you know in an advanced nation that is start to struggle with those sorts of temperature changes so even in industrialized countries you can imagine is playing out quite negatively a whole sequence of events not looking particulate 'iv in China look at the 00:25:44 building's they're putting up there and some of this Shanghai and Beijing and so forth they've got no thermal mass these buildings are not going to be good with high temperatures and the absolutely big increases there and in some parts of the states could be as high as 10 or 12 00:25:56 degrees temperature rises these are all a product of a 4 degree C average temperature

      We have to peak emissions in the next few years if we want to stay under 1.5 Deg C. This talk was given back in 2015 when IPCC was still setting its sights on 2 Deg C.

      This is a key finding for why supply side development cannot scale to solve the problem in the short term. It's impossible to scale rapidly enough. Only drastic demand side reduction can peak emissions and drop drastically in the next few years.

      And if we hit a 4 Deg C world, which is not out of the question as current Business As Usual estimates put us on track between 3 and 5 Deg C, Kevin Anderson cites some research about the way infrastructure systems in a city like London would break down

    1. What may be required, therefore, is a significant reduction of societal demand for all resources, of all kinds.”

      This is consistent with the recommendations from "Ostrich or the Phoenix".IPCC latest report AR6 Ch. 5 also advocates the huge emissions reduction achievable with demand reduction.

    2. An in-depth 2021 study by Simon Michaux at the Geological Survey of Finland illustrated this inconvenient reality. It calculated that to replace a single coal-fired powered plant of average size producing seven terawatt-hours per year of energy would require the construction of 213 average sized solar farms or 87 wind turbine array facilities. Renewables just have to work harder. The global economy currently operates 46,423 power stations running on all types of energy, but mostly fossil fuels noted Michaux. To green the sector up and still keep the lights on will require the construction of 221,594 new power plants within the next 30 years.

      See comment above about Kevin Anderson's talk Ostrich or the Phoenix?

    3. They also ignore that it took 160 years to build the current energy system at a time when petroleum and minerals were abundant and cheap. Now they propose to “electrify the Titantic” as ecologist William Ophuls puts it, at a time of expensive fossil fuels, indebted financial systems and mineral shortages.

      Professor Kevin Anderson has been advocating for years that whilst renewable energy must be built, significant demand side reduction is the only tenable way to reduce carbon emissions in the next few years so that emissions can peak and rapidly decline. See his 'Ostrich or the Phoenix' talks:https://youtu.be/mBtehlDpLlU

  24. May 2022
    1. The indicative potential of demand-side strategies across all sectors to reduce emissions is 40-70%15by 2050 (high confidence)

      The focus on demand side reduction can play a major role in peaking emissions in the next few years. Among others Prof. Kevin Anderson has been vocal about the key role of demand side reduction in peaking emissions, as per his Ostrich or Phoenix presentations: https://youtu.be/mBtehlDpLlU

    1. "I didn't fully understand it at the time, but throughout my time as a freshman at Boston College I've realized that I have the power to alter myself for the better and broaden my perspective on life. For most of my high school experience, I was holding to antiquated thoughts that had an impact on the majority of my daily interactions. Throughout my life, growing up as a single child has affected the way am in social interactions. This was evident in high school class discussions, as I did not yet have the confidence to be talkative and participate even up until the spring term of my senior year."

  25. Mar 2022
    1. that although evil exists, people aren’t born evil. How they live their lives depends on what happens after they’re born

      So very true. Monsters are made, not born. Everyone is born into the sacred, but then life can transform the sACred into the sCAred. Pathological fear can motivate a host of pathological responses such as selfishness, alienation, greed, anger, control, abuse, othering,dehumanization, etc.

  26. Feb 2022
  27. Jan 2022
  28. Dec 2021
    1. it was published in some magazines that we are the human race was at a crossroads, that we were looking at what was described as the worst possible future or the best possible future and that was absolutely right, it was described very well. We're not only robbing our children of a decent life. We're robbing them of a what I would call a golden age.

      Heaven or Hell!

  29. Nov 2021
    1. Robert George has created the Academic Freedom Alliance, a group that intends to offer moral and legal support to professors who are under fire, and even to pay for their legal teams if necessary. George was inspired, he told me, by a nature program that showed how elephant packs will defend every member of the herd against a marauding lion, whereas zebras run away and let the weakest get killed off. “The trouble with us academics is we’re a bunch of zebras,” he said. “We need to become elephants.”

      There's something intriguing here with this cultural analogy of people to either elephants or zebras.

      The other side of this is also that of the accusers, who on the whole have not been believed or gaslit for centuries. How can we simultaneously be elephants for them as well?

    1. Recent research suggests that globally, the wealthiest 10% have been responsible for as much as half of the cumulative emissions since 1990 and the richest 1% for more than twice the emissions of the poorest 50% (2).

      Even more recent research adds to this:

      See the annotated Oxfam report: Linked In from the author: https://hyp.is/RGd61D_IEeyaWyPmSL8tXw/www.linkedin.com/posts/timgore_inequality-parisagreement-emissionsgap-activity-6862352517032943616-OHL- Annotations on full report: https://hyp.is/go?url=https%3A%2F%2Foxfamilibrary.openrepository.com%2Fbitstream%2Fhandle%2F10546%2F621305%2Fbn-carbon-inequality-2030-051121-en.pdf&group=__world__

      and the annotated Hot or Cool report: https://hyp.is/KKhrLj_bEeywAIuGCjROAg/hotorcool.org/hc-posts/release-governments-in-g20-countries-must-enable-1-5-aligned-lifestyles/ https://hyp.is/zo0VbD_bEeydJf_xcudslg/hotorcool.org/hc-posts/release-governments-in-g20-countries-must-enable-1-5-aligned-lifestyles/

      This suggests that perhaps the failure of the COP meetings may be partially due to focusing at the wrong level and demographics. the top 1 and 10 % live in every country. A focus on the wealthy class is not a focus area of COP negotiations perse. The COP meetings are focused on nation states. Interventions targeting this demographic may be better suited at the scale of individuals or civil society.

      Many studies show there are no extra gains in happiness beyond a certain point of material wealth, and point to the harmful impacts of wealth accumulation, known as affluenza, and show many health effects: https://www.ncbi.nlm.nih.gov/pmc/articles/PMC1950124/, https://theswaddle.com/how-money-affects-rich-people/, https://www.marketwatch.com/story/the-dark-reasons-so-many-rich-people-are-miserable-human-beings-2018-02-22, https://www.nbcnews.com/better/pop-culture/why-wealthy-people-may-be-less-successful-love-ncna837306, https://www.apa.org/research/action/speaking-of-psychology/affluence,

      A Human Inner Transformation approach based on an open source praxis called Deep Humanity is one example of helping to transform affluenza and leveraging it to accelerate transition.

      Anderson has contextualized the scale of such an impact in his other presentations but not here. A recent example is the temporary emission decreases due to covid 19. A 6.6% global decrease was determined from this study: https://www.nature.com/articles/d41586-021-00090-3#:~:text=After%20rising%20steadily%20for%20decades,on%20daily%20fossil%20fuel%20emissions. with the US contributing 13% due to lockdown impacts on vehicular travel (both air and ground). After the pandemic ends, experts expect a strong rebound effect.

    2. A final cluster gathers lenses that explore phenomena that are arguably more elastic and with the potential to both indirectly maintain and explicitly reject and reshape existing norms. Many of the topics addressed here can be appropriately characterized as bottom-up, with strong and highly diverse cultural foundations. Although they are influenced by global and regional social norms, the expert framing of institutions, and the constraints of physical infrastructure (from housing to transport networks), they are also domains of experimentation, new norms, and cultural change. Building on this potential for either resisting or catalyzing change, the caricature chosen here is one of avian metaphor and myth: the Ostrich and Phoenix cluster. Ostrich-like behavior—keeping heads comfortably hidden in the sand—is evident in different ways across the lenses of inequity (Section 5.1), high-carbon lifestyles (Section 5.2), and social imaginaries (Section 5.3), which make up this cluster. Yet, these lenses also point to the power of ideas, to how people can thrive beyond dominant norms, and to the possibility of rapid cultural change in societies—all forms of transformation reminiscent of the mythological phoenix born from the ashes of its predecessor. It is conceivable that this cluster could begin to redefine the boundaries of analysis that inform the Enabler cluster, which in turn has the potential to erode the legitimacy of the Davos cluster. The very early signs of such disruption are evident in some of the following sections and are subsequently elaborated upon in the latter part of the discussion.

      The bottom-up nature of this cluster makes it the focus area for civil society movements, human inner transformation (HIT) approaches and cultural methodologies.

      Changing the mindset or paradigm from which the system arises is the most powerful place to intervene in a system as Donella Meadows pointed out decades ago in her research on system leverage points: https://donellameadows.org/archives/leverage-points-places-to-intervene-in-a-system/

      The sleeping giant of billions of potential change actors remains dormant. How do we awaken them and mobilize them. If we can do this, it can constitute the emergence of a third unidentified actor in system change.

      The Stop Reset Go (SRG) initiative is focused on this thematic lens, bottom-up, rapid whole system change, with Deep Humanity (DH) as the open-source praxis to address the needed shift in worldview advocated by Meadows. One of the Deep Humanity programs is based on addressing the psychological deficits of the wealthy, and transforming them into heroes for the transition, by redirecting their WEALTH-to-WELLth.

      There are a number of strategic demographics that can be targeted in methodical evidence-based ways. Each of these is a leverage point and can bring about social tipping points.

      A number of 2021 reports characterize the outsized impact of the top 1% and top 10% of humanity. Unless their luxury, high ecological footprint behavior is reeled in, humanity won't stand a chance. Annotation of Oxfam report: https://hyp.is/go?url=https%3A%2F%2Foxfamilibrary.openrepository.com%2Fbitstream%2Fhandle%2F10546%2F621305%2Fbn-carbon-inequality-2030-051121-en.pdf&group=__world__ Annotation of Hot or Cool report: https://hyp.is/go?url=https%3A%2F%2Fhotorcool.org%2Fhc-posts%2Frelease-governments-in-g20-countries-must-enable-1-5-aligned-lifestyles%2F&group=__world__

  30. Oct 2021
  31. Sep 2021
  32. Aug 2021
    1. Directions

      The sheer gall of me offering directions to reading a Wendell Berry poem. Just enjoy, you are immune from guilt or shame when you approach the poem with same creative play that Berry intends. Get messy or go away.

    1. which seems to resolve the issue for me and makes no casts, ensuring that Typescript can keep doing its good job of widening as much as necessary and narrowing as much as possible without me having to claim I know better than the compiler. I'm posting it here since it doesn't seem to have been mentioned anywhere.

      makes no casts, ensuring that Typescript can keep doing its good job of widening as much as necessary and narrowing as much as possible without me having to claim I know better than the compiler.

    2. I think a more natural/appropriate behavior for type signature of includes would be for the literal types to be widened.
    1. This type of assertion causes the compiler to infer the narrowest type possible for a value, including making everything readonly.

      "infer"?

    2. One problem is the literal ['a','b','c'] will be inferred as type string[], so the type system will forget about the specific values.
    3. t's not supposed to work with that, since by the time you do const xs = ['a','b','c'] the compiler has already widened xs to string[] and completely forgotten about the specific values.
  33. Jul 2021
  34. Jun 2021
    1. "Many North American music education programs exclude in vast numbers students who do not embody Euroamerican ideals. One way to begin making music education programs more socially just is to make them more inclusive. For that to happen, we need to develop programs that actively take the standpoint of the least advantaged, and work toward a common good that seeks to undermine hierarchies of advantage and disadvantage. And that, inturn, requires the ability to discuss race directly and meaningfully. Such discussions afford valuable opportunities to confront and evaluate the practical consequences of our actions as music educators. It is only through such conversations, Connell argues, that we come to understand “the real relationships and processes that generate advantage and disadvantage”(p. 125). Unfortunately, these are also conversations many white educators find uncomfortable and prefer to avoid."

    1. Oversharing. Crying, disclosing intimate details, and telling long (unrelated and/or unsolicited) stories about one’s personal life may indicate the lack of an essential social work skill: personal boundaries.

      Testing out the annotate feature. Student 1 will highlight sections according to the prompts, as shown HERE.

      For example: "This is me during interviews. I say too much and veer off topic."

    1. Your attempt should work. There is a mismatch in column name in your query though. The query uses col2 but the table is defined with col1.

      I would actually lean towards making this a comment, at least the typo fix part. But if you remove the typo fix part, all that's left is "should work", which I guess should be a comment too since it's too short to be an answer.

  35. May 2021
    1. And asking them if they think they know what they are doing will not help, because many people will overestimate their knowledge, making the support even more complicated as the tech guy may at first believe them and only find out later that they told wrong things because they do not actually know what they are pretending to know.
  36. Apr 2021
    1. Game looks great, ignore the 1 score review. Disgruntle co worker, perhaps? Perhaps a jealous fellow pupil... When all ither reviews are 7 or more and there's one review with a 1 score and a novel saying just why they thinks... you know something's not quite right. Hopefully this will go some way to normalising the score.
    1. This game is severely underrated. I genuinely do not understand all of the negative backlash it gets. It's a solid scribblenauts game with a ton of replay value and a way to past the time with friends. It's not perfect, as the motion controls do drag it down slightly, and some of the minigames offered are less than great, however it does not deserve the overwhelming hate it gets. It's a solid title in the series.
    2. I truly TRULY do not get the hate of this game. I am in my 40's. Played with 2 boys, 10 and 12. And we all had an amazing time playing the board game version of this for an hour. When it was over, the boys said, LETS PLAY IT AGAIN! The game is deep. Also has original sandbox mode with new levels. When they were about to leave, I surprise them by giving them the game as a gift. They were SO excited (and, I will simply buy another one for myself) I am simply BAFFLED at the hate and negativity for this game. Sure, a couple of the mini-games are not top notch. But there are many great ones within. At $40, solid deal. At $20 sale in most places, you have got to be kidding me. Steal it at that price. If you like Scribblenauts or are new to the Scribblenauts world, just buy it.
    1. Sweetshrub grows best in average to rich, well-drained soil in anywhere from full sun to deep shade. It prefers some shade in hot summer afternoons and it will grow lankier and less dense in shade than in sun. It is tolerant of a wide range of soil textures and pH but prefers rich loams.  Plant it 3 to 5 feet from other shrubs to give it adequate room to grow.  It blooms in early spring before leaves emerge, with the leaves, and sporadically thereafter.  

      Very tolerant of shade or sun and most soils.

  37. Mar 2021
    1. I would much rather have a "cosine" module than a "trigonometry" module because chances are good I only need a small fraction of the utilities provided by the larger trig module.
    2. Second, I don't agree that there are too many small modules. In fact, I wish every common function existed as its own module. Even the maintainers of utility libraries like Underscore and Lodash have realized the benefits of modularity and allowed you to install individual utilities from their library as separate modules. From where I sit that seems like a smart move. Why should I import the entirety of Underscore just to use one function? Instead I'd rather see more "function suites" where a bunch of utilities are all published separately but under a namespace or some kind of common name prefix to make them easier to find. The way Underscore and Lodash have approached this issue is perfect. It gives consumers of their packages options and flexibility while still letting people like Dave import the whole entire library if that's what they really want to do.
    1. I'd suggest there ought to be config to disable source maps specifically, and specifically for either CSS or JS (not alwasy both), without turning off debug mode. As you note, debug mode does all sorts of different things that you might want with or without source maps.
  38. Feb 2021
    1. i dont know why everyone wants to **** on everything that is not a "AAA" game, its not in its perfect state, but far from deserve a 3, i will give it a 9 so it counters the "just hate
    1. However, sometimes actions can't be rolled back and it is unfortunately unavoidable. For example, consider when we send emails during the call to process. If we send before saving a record and that record fails to save what do we do? We can't unsend that email.
    2. I typically save everything I can first, and then call the side-effects afterwards. If the side-effects fail I can handle them elsewhere and retry when necessary.
    1. # Returns a new relation, which is the logical union of this relation and the one passed as an # argument. # # The two relations must be structurally compatible: they must be scoping the same model, and # they must differ only by #where (if no #group has been defined) or #having (if a #group is # present). Neither relation may have a #limit, #offset, or #distinct set.
  39. Dec 2020
    1. I guess it's about "preloading" and not "navigation", if it's the case, then I guess there is still no way to attach to navigation events, and this issue should be kept open.
    2. No JS event is fired, so there currently isn't any clean way to do this that I can see.
  40. Nov 2020
  41. Oct 2020
  42. Sep 2020
  43. Aug 2020
    1. Here's what 20 seconds of googling turned up: University of Rochester Grammar Style Guide oh hey look, a stackoverflow thread The truth about grammar: bailout versus bail out and there are so many more...
  44. Jul 2020
    1. Matz, alas, I cannot offer one. You see, Ruby--coding generally--is just a hobby for me. I spend a fair bit of time answering Ruby questions on SO and would have reached for this method on many occasions had it been available. Perhaps readers with development experience (everybody but me?) could reflect on whether this method would have been useful in projects they've worked on.
    1. source | edit | rollback | link

      I can see (here) another reason people might incorrectly spell the verb roll back as "rollback": because they are including it in a list of other single-word words separated only by spaces. If one were to include the space in "roll back" as it should have, then it would "break" this meaningful-whitespace design/layout.

    1. set up

      This is the past participle of the verb "to set up".

      Also: do a web search for "be set up" vs "be setup".

    2. The verb set up, on the other hand, is usually found as an open compound (two words, no hyphen) in both American and British English.
  45. Jun 2020
    1. It’s a “bug” and you “fix” it - so properly, in English, it’s a “bug fix” - but very often it’s shortened to “bugfix”.
  46. May 2020
    1. The folks at Netlify created Netlify CMS to fill a gap in the static site generation pipeline. There were some great proprietary headless CMS options, but no real contenders that were open source and extensible—that could turn into a community-built ecosystem like WordPress or Drupal. For that reason, Netlify CMS is made to be community-driven, and has never been locked to the Netlify platform (despite the name).

      Kind of an unfortunate name...

  47. Apr 2020
    1. the spelling "Web site" (and the less questionable "web site") is an anachronism from the 1990s that is still in use by the NYT and some other conservative print media in the US while most others (including the online sections of the NYT!) today use "website".
    2. English tends to build new compound nouns by simply writing them as separate words with a blank. Once the compound is established (and the original parts somewhat "forgotten"), it's often written as one word or hyphenated. (Examples: shoelaces, aircraft...)
    3. Web site / website seems to be somewhat in a transitional stage, being seen as an "entity" that web page hasn't reached yet. Depending on which dictionary you check you will find web site and website, but only web page, not webpage.
    1. Because treatment must be instituted during the latent period between injury and onset of neurologic sequelae, diagnostic imaging is performed based on identified risk factors (Fig. 7-55).91 After identification of an injury, antithrombotics are administered if the patient does not have contraindications (intracranial hemorrhage, falling hemoglobin level with solid organ injury or complex pelvic fractures). Heparin, started without a loading dose at 15 units/kg per hour, is titrated to achieve a PTT between 40 and 50 seconds or antiplatelet agents are initiated (aspirin 325 mg/d or clopidogrel 75 mg/d). The types of antithrombotic treatment appear equivalent in published studies to date, and the duration of treatment is empirically recommended to be 6 months.

      diagnostic imaging before onset of neurologic complications while taking