340 Matching Annotations
  1. Sep 2024
  2. Aug 2024
    1. The South Florida influencers, for instance, heard a rumor circulating that the government had put microchips in the coronavirus vaccine so it could track people.

      Notice that many fake news stories begin from a place of fear. This fear hijacks our brains and triggers fight or flight options in our system I circuitry and actively prevent the use of the rational parts of system II which would quickly reveal problems in the information.

  3. Jun 2024
    1. our failure today will be irreversible soon in the next 12 to 24 months we will leak key AGI breakthroughs to the CCP it will 00:38:56 be to the National security establishment the greatest regret before the decade is out

      for - AI - security risk - next 1 to 2 years is vulnerable time to keep AI secrets out of hands of authoritarian regimes

  4. Apr 2024
  5. Mar 2024
    1. L'enseignant référent qui coordonne les équipes de suivi de la scolarisation est l'interlocuteur des familles pour la mise en place du projet personnalisé de scolarisation.
    1. "Il résulte donc de ce qui précède, qu’en l’absence d’obstacle juridique, l’organe délibératif de l’EPLE est parfaitement libre d’adopter le principe d’une répartition de l’année scolaire en deux semestres, au lieu de trois trimestres. Une fois cette résolution arrêtée, il conviendra également de modifier en conséquence le règlement intérieur de l’établissement."

  6. Feb 2024
    1. A useful model for note-taking is that of system 1 and 2 thinking. Try to do as much as possible in system 1. So, most work is done without much work and effort. Chris places his hypothesis.is workflow within system 1.

    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

  7. 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

    1. The first time the ratio of length to width was written in a letter dated 25 October 1786. This letter was from the German Georg Christoph Lichtenberg to Johann Beckmann. He wrote here about the advantages of basing paper on a √2 ratio. Lichtenberg is known for the ratio between length and width of a surface which remains the same after the narrated halving of the surface. The result is 1:√2.

      Sourcing? Look this up.<br /> https://www.a5-size.com/history/

  8. Nov 2023
    1. Ashby's law of requisite variety may also be at play for overloading our system 1 heuristic abilities with respect to misinformation (particularly in high velocity social media settings). Switching context from system 1 to system 2 on a constant basis to fact check everything in our (new digital) immediate environment can be very mentally and emotionally taxing. This can result in both mental exhaustion as well as anxiety.

    1. Your comment inspires me to pay more attention to citing and clarifying my claims.

      replying to Will at https://forum.zettelkasten.de/discussion/comment/18885/#Comment_18885

      I've generally found that this is much easier to do when it's an area you tend to specialize in and want to delve ever deeper (or on which you have larger areas within your zettelkasten) versus those subjects which you care less about or don't tend to have as much patience for.

      Perhaps it's related to the System 1/System 2 thinking of Kahneman/Tversky? There are only some things that seem worth System 2 thinking/clarifying/citing and for all the rest one relies on System 1 heuristics. I find that the general ease of use of my zettelkasten (with lots of practice) allows me to do a lot more System 2 thinking than I had previously done, even for areas which I don't care as much about.

      syndication link: https://forum.zettelkasten.de/discussion/comment/18888/#Comment_18888

  9. Oct 2023
    1. https://en.wikipedia.org/wiki/Shmita

      During shmita, the land is left to lie fallow and all agricultural activity, including plowing, planting, pruning and harvesting, is forbidden by halakha (Jewish law).

      The sabbath year (shmita; Hebrew: שמיטה, literally "release"), also called the sabbatical year or shǝvi'it (שביעית‎, literally "seventh"), or "Sabbath of The Land", is the seventh year of the seven-year agricultural cycle mandated by the Torah in the Land of Israel and is observed in Judaism.

    1. There are several occasions where the massebah is not associated with pagan worship. When the massebah is associated with the worship of Yahweh, the massebah is accepted as a valid expression of commitment to Yahweh.

      Massebah for pagan worship: - Exodus 23:24 (https://hypothes.is/a/r3m5QmyDEe6SC8eLYcJE1Q) - Hosea 10:1 (https://hypothes.is/a/4PK2GGyDEe6wZg_r2YpVCA ) - 2 Kings 18:4 - 2 Kings 23:14

      Massebah for worship of Yahweh: - Genesis 28:18 Jacob's pillow (https://hypothes.is/a/NF5p8Gx6Ee65Rg_J4tfaMQ)<br /> - Genesis 31:44-45 Jacob and Laban's covenant - Exodus 24:4 - Joshua 24:25-27

    2. in violation of the demands of the covenant, the people of Israel erected sacred stones dedicated to other gods (Hosea 10:1). In their religious reforms, both Hezekiah (2 Kings 18:4) and Josiah (2 Kings 23:14) destroyed the sacred pillars which the people of Israel had dedicated to the worship of Baal.
    3. During the establishment of the covenant between Yahweh and Israel, the people were commanded to destroy the sacred stones of the Canaanites, “You must demolish them and break their sacred stones (masseboth) to pieces” (Exodus 23:24).

      In neighboring cultures in which both have oral practices relating to massebah, one is not just destroying "sacred stones" to stamp out their religion, but it's also destroying their culture and cultural memory as well as likely their laws and other valuable memories for the function of their society.

      View this in light also of the people of Israel keeping their own sacred stones (Hosea 10:1) as well as the destruction of pillars dedicated to Baal in 2 Kings 18:4 and 2 Kings 23:14.

      (Link and) Compare this to the British fencing off the land in Australia and thereby destroying Songlines and access to them and the impact this had on Indigenous Australians.

      It's also somewhat similar to the colonialization activity of stamping out of Indigenous Americans and First Nations' language in North America, though the decimation of their language wasn't viewed in as reciprocal way as it might be viewed now. (Did colonizers of the time know about the tremendous damage of language destruction, or was it just a power over function?)

  10. Jul 2023
  11. Apr 2023
  12. Mar 2023
  13. moodledata-us-west-1.s3.us-west-1.amazonaws.com moodledata-us-west-1.s3.us-west-1.amazonaws.com
    1. 2 3-4 x 4 3-4 inches in size, made of seal grain , real sealor Russia leather, in a thoro

      Memindex dimensions mentioned in a 1904 advertisement<br /> cards: 2 3/4 x 4 1/2 inches<br /> case: 2 3/4 x 4 3/4 inches

    1. 1930s Wilson Memindex Co Index Card Organizer Pre Rolodex Ad Price List Brochure

      archived page: https://web.archive.org/web/20230310010450/https://www.ebay.com/itm/165910049390

      Includes price lists

      List of cards includes: - Dated tab cards for a year from any desired. - Blank tab cards for jottings arranged by subject. - These were sold in 1/2 or 1/3 cut formats - Pocket Alphabets for jottings arranged by letter. - Cash Account Cards [without tabs]. - Extra Record Cards for permanent memoranda. - Monthly Guides for quick reference to future dates. - Blank Guides for filing records by subject.. - Alphabet Guides for filing alphabetically.

      Memindex sales brochures recommended the 3 x 5" cards (which had apparently been standardized by 1930 compared to the 5 1/2" width from earlier versions around 1906) because they could be used with other 3 x 5" index card systems.

      In the 1930s Wilson Memindex Company sold more of their vest pocket sized 2 1/4 x 4 1/2" systems than 3 x 5" systems.

      Some of the difference between the vest sized and regular sized systems choice was based on the size of the particular user's handwriting. It was recommended that those with larger handwriting use the larger cards.

      By the 1930's at least the Memindex tag line "An Automatic Memory" was being used, which also gave an indication of the ubiquity of automatization of industrialized life.

      The Memindex has proved its success in more than one hundred kinds of business. Highly recommended by men in executive positions, merchants, manufacturers, managers, .... etc.

      Notice the gendering of users specifically as men here.

      Features: - Sunday cards were sold separately and by my reading were full length tabs rather than 1/6 tabs like the other six days of the week - Lids were custom fit to the bases and needed to be ordered together - The Memindex Jr. held 400 cards versus the larger 9 inch standard trays which had space for 800 cards and block (presumably a block to hold them up or at an angle when partially empty).

      The Memindex Jr., according to a price sheet in the 1930s, was used "extensively as an advertising gift".

      The Memindex system had cards available in bundles of 100 that were labeled with the heading "Things to Keep in Sight".

    1. 312 Oak Midget Tray WWeesCoverEquipped same as]No.324,price.55CTohold cards14x3.No.423.Equippedasabove,tohold65Ccards 24x4, priceNo. 533. Standard size.to hold card 3x5, equip-ped as above,price..........No. 7- Nickel ....PrepaidinU. S.onreceiptofpriceNo. 324OakMidgetTraytheCoverWeis75cNo. 644. To hold cards4x6,equipped$1.10(StyleNos.312,423.533and644)asabove......(Style No. 324,213.335and446.)Send for catalog showing many other time-saving office devices. Our goods are soldyour dealer does not carry our line we can supply you direct from the factory.To hold cards 24x4. lengthof tray2%in..equippedwithAtoZindexand100record cards 45cNo. 213. To hold cards 14x3in,, lenght of tray 24in..equipped asabove40cNo.335.Standardsize,tohold3x5 cards.equipped asabove50c80cNo. 446. To hold 4x6 cards,equipped asabove.Any of these trays sent pre-paid in U. S. on receipt ofpriceby stationers everywhere. IfNo. 6 Union St.The WeisManufacturing Co.,Monroe,Mich.,U. S.A.Please mention SYSTEM when writing to advertisers

      Notice the 1 1/4" x 3" cards, 2 1/4 x 4" cards in addition to the 3 x 5" and 4 x 6".

  14. Feb 2023
    1. Cultural geography = human science, approach to the lives of people. Investigates relevance of culture to the global society today. * Contrast between mental and natural space * Space can be produced by society, but society creates itself within a cultural space

  15. Jan 2023
    1. Weread, for example, of Philistine incursions into the hill country, toMichmash in Benjamin (1 Samuel 13:23), and the Rephaim Valley nearJerusalem (2 Samuel 5:17–22). It was in one of these border disputes thatthe city at Khirbet Qeiyafa was conquered and destroyed.
    1. hume is not in book one arguing that persons do not exist in fact in book two he's going to spend most of his time explaining what persons 01:17:41 are he when instead what he's claiming is that persons don't have selves

      !- David Hume : book 1 and 2 - book 1 explains what persons are - book 2 explains that persons don't have selves

  16. Dec 2022
    1. remind us of the historical reduction of the human to the status of ananimal under transatlantic slavery, but also were used as a mode of resistancefor enslaved peoples

      first half is type 1, first half is type 2

    Tags

    Annotators

  17. Jul 2022
    1. 5.1 Recognize that 1) the biggest threat to good decision making is harmful emotions, and 2) decision making is a two-step process (first learning and then deciding).

      5.1 Recognize that 1) the biggest threat to good decision making is harmful emotions, and 2) decision making is a two-step process (first learning and then deciding).

    1. so let's suppose let's suppose your listeners are with me and you know we kind of agree like okay yes transformation's necessary and uh again i want to emphasize i'm not talking about reform i'm not talking 00:58:59 about a softer better capitalism i'm not talking about you know improved voter registration or like any of those things i'm talking about de novo starting over from scratch what might be 00:59:13 best and if it turns out that the old systems were better than anything that humanity can come up with well then you know that's the answer but i can't imagine that's true because the old systems were never designed in any kind of 00:59:25 you know thoughtful science driven [Music] you know process to to to test to explore and to come up with fitness like what is the you know we don't even have a fitness for our current society 00:59:39 much less of fitness for societal designs i mean we have the gdp but that's a terrible terrible limited fitness metric 00:59:51 okay so suppose you're with me suppose we're we're on board we we want to do this de novo design thing where do we start what's the what's what where do we even get off the 01:00:03 ground on this and i suggest that the way to do it is through first address worldview from world view once we understand what the world view is 01:00:15 what a reasonable useful world view will be for this project then then purpose derives worldview begets purpose once you understand what it is you want 01:00:28 what you value what do you value once you understand what you value then you can say well i value a and therefore the purpose is to 01:00:39 have a manifest in society for example so once you have purpose then you can think about what metrics how would you measure whether are you so 01:00:53 here's a new design is it fit for purpose does it do does it fulfill its purpose you know that's the question and then metrics go with some kind of fitness evaluation 01:01:05 and then finally last of all of those would be the design okay we know what we know what we value we know what this thing is supposed to do we know what the purpose is we know that attractor is supposed to you know plow the ground or something we 01:01:18 know what this is supposed to do we know how to measure success and uh now finally then let's talk about design what are the what are the you know the specifics and mechanics and 01:01:31 how does that happen and the the series is really kind of laid out this way the first paper really talks about world view and purpose the second paper talks about the you know the more the mechanics of things 01:01:44 like viability how would you make this thing viable things like that and then the very last paper that's titled the subtitle design okay so uh that's how we uh and 01:01:56 and maybe i will just mention here that i put metrics before design because we might have some ideas uh getting back to that preference factor we might have some ideas like we would like people not to die at 01:02:08 30 you know we'd like people to mostly live to a ripe old age and have you know enough water water to drink and food to eat and all that kind of stuff so uh you know what kind of design once 01:02:20 now that we have metrics to measure that kind of stuff longevity and nutrition and things what kind of designs would help us to reach those targets you know so that's one reason why design 01:02:31 why metrics comes before design okay

      Process flow: Worldview, purpose, metric and finally design

      Paper 1: Worldview and purpose Paper 2: practical implementation Paper 3: Design

  18. May 2022
    1. Matt Taibbi asked his subscribers in April. Since they were “now functionally my editor,” he was seeking their advice on potential reporting projects. One suggestion — that he write about Ibram X. Kendi and Robin DiAngelo — swiftly gave way to a long debate among readers over whether race was biological.

      There's something here that's akin to the idea of bikeshedding? Online communities flock to the low lying ideas upon which they can proffer an opinion and play at the idea of debate. If they really cared, wouldn't they instead delve into the research and topics themselves? Do they really want Taibbi's specific take? Do they want or need his opinion on the topic? What do they really want?

      Compare and cross reference this with the ideas presented by Ibram X. Kendi's article There Is No Debate Over Critical Race Theory.

      Are people looking for the social equivalent of a simple "system one" conversation or are they ready, willing, and able to delve into a "system two" presentation?

      Compare this also with the modern day version of the Sunday morning news (analysis) shows? They would seem to be interested in substantive policy and debate, but they also require a lot of prior context to participate. In essence, most speakers don't actually engage, but spew out talking points instead and rely on gut reactions and fear, uncertainty and doubt to make their presentations. What happened to the actual discourse? Has there been a shift in how these shows work and present since the rise of the Hard Copy sensationalist presentation? Is the competition for eyeballs weakening these analysis shows?

      How might this all relate to low level mansplaining as well? What are men really trying to communicate in demonstrating this behavior? What do they gain in the long run? What is the evolutionary benefit?

      All these topics seem related somehow within the spectrum of communication and what people look for and choose in what and how they consume content.

  19. Apr 2022
    1. ReconfigBehSci. (2022, January 23). RT @LauraMiers: BA.2’s growth advantage over BA.1 is jarring. Meanwhile, we are operating under the assumption that “Omicron will end the p… [Tweet]. @SciBeh. https://twitter.com/SciBeh/status/1485519516914302980

  20. Mar 2022
  21. learn-us-east-1-prod-fleet02-xythos.content.blackboardcdn.com learn-us-east-1-prod-fleet02-xythos.content.blackboardcdn.com
    1. the combination of trading patterns and pref-erences of European planters in the Americas for laborers of specific Africanethnicities tended to lump together large numbers of captive Africans from cer-tain areas into particular colonies in the Americas.

      how the enslaved kept their honor, history, martial arts

  22. Sep 2021
    1. L’esercizio fisico deve essere raccomandato per il controllo del diabete nelle persone con diabete di tipo 2?

      Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.

  23. Aug 2021
    1. I like the differentiation that Jared has made here on his homepage with categories for "fast" and "slow".

      It's reminiscent of the system 1 (fast) and system2 (slow) ideas behind Kahneman and Tversky's work in behavioral economics. (See Thinking, Fast and Slow)

      It's also interesting in light of this tweet which came up recently:

      I very much miss the back and forth with blog posts responding to blog posts, a slow moving argument where we had time to think.

      — Rachel Andrew (@rachelandrew) August 22, 2017
      <script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>

      Because the Tweet was shared out of context several years later, someone (accidentally?) replied to it as if it were contemporaneous. When called out for not watching the date of the post, their reply was "you do slow web your way…" #

      This gets one thinking. Perhaps it would help more people's contextual thinking if more sites specifically labeled their posts as fast and slow (or gave a 1-10 rating?). Sometimes the length of a response is an indicator of the thought put into it, thought not always as there's also the oft-quoted aphorism: "If I Had More Time, I Would Have Written a Shorter Letter".

      The ease of use of the UI on Twitter seems to broadly make it a platform for "fast" posting which can often cause ruffled feathers, sour feelings, anger, and poor communication.

      What if there were posting UIs (or micropub clients) that would hold onto your responses for a few hours, days, or even a week and then remind you about them after that time had past to see if they were still worth posting? This is a feature based on Abraham Lincoln's idea of a "hot letter" or angry letter, which he advised people to write often, but never send.

      Where is the social media service for hot posts that save all your vituperation, but don't show them to anyone? Or which maybe posts them anonymously?

      The opposite of some of this are the partially baked or even fully thought out posts that one hears about anecdotally, but which the authors say they felt weren't finish and thus didn't publish them. Wouldn't it be better to hit publish on these than those nasty quick replies? How can we create UI for this?

      I saw a sitcom a few years ago where a girl admonished her friend (an oblivious boy) for liking really old Instagram posts of a girl he was interested in. She said that deep-liking old photos was an obvious and overt sign of flirting.

      If this is the case then there's obviously a social standard of sorts for this, so why not hold your tongue in the meanwhile, and come up with something more thought out to send your digital love to someone instead of providing a (knee-)jerk reaction?

      Of course now I can't help but think of the annotations I've been making in my copy of Lucretius' On the Nature of Things. Do you suppose that Lucretius knows I'm in love?

  24. Jul 2021
    1. Well, no. I oppose capital punishment, just as (in my view) any ethical person should oppose capital punishment. Not because innocent people might be executed (though that is an entirely foreseeable consequence) but because, if we allow for capital punishment, then what makes murder wrong isn't the fact that you killed someone, it's that you killed someone without the proper paperwork. And I refuse to accept that it's morally acceptable to kill someone just because you've been given permission to do so.

      Most murders are system 1-based and spur-of-the-moment.

      System 2-based murders are even more deplorable because in most ethical systems it means the person actively spent time and planning to carry the murder out. The second category includes pre-meditated murder, murder-for-hire as well as all forms of capital punishment.

  25. May 2021
    1. One solution that fixed this issue with my ISP was that when I went through the first and second line and got in touch with the people that fixed my problem, I asked them if they could give me one of their personal numbers in case the same problem happened again. The problem did occur a couple more times, and I just directly called the same guy.
  26. Mar 2021
    1. Results for individual PALB2 variants were normalized relative to WT-PALB2 and the p.Tyr551ter (p.Y551X) truncating variant on a 1:5 scale with the fold change in GFP-positive cells for WT set at 5.0 and fold change GFP-positive cells for p.Y551X set at 1.0. The p.L24S (c.71T>C), p.L35P (c.104T>C), p.I944N (c.2831T>A), and p.L1070P (c.3209T>C) variants and all protein-truncating frame-shift and deletion variants tested were deficient in HDR activity, with normalized fold change <2.0 (approximately 40% activity) (Fig. 1a).

      AssayResult: 5.3

      AssayResultAssertion: Normal

      StandardErrorMean: 0.46

    1. Most Suspected Brugada Syndrome Variants Had (Partial) Loss of Function

      AssayResult: 113.2

      AssayResultAssertion: Normal

      ReplicateCount: 30

      StandardErrorMean: 13.9

      Comment: This variant had normal function (75-125% of wildtype peak current, <1% late current, no large perturbations to other parameters). These in vitro features are consistent with non-disease causing variants. (Personal communication: A. Glazer)

  27. Feb 2021
  28. Jan 2021
    1. Reviewer #2:

      In this paper, Numssen and co-workers focus on the functional differences between hemispheres to investigate the "domain-role" of IPL in different types of mental processes. They employ multivariate pattern-learning algorithms to assess the specific involvement of two IPL subregions in three tasks: an attentional task (Attention), a semantic task (Semantics) and a social task (Social cognition). The authors describe how, when involved in different tasks, each right and left IPL subregion recruits a different pattern of connected areas.

      The employed tasks are "well established", and the results confirm previous findings. However, the novelty of the paper lies in the fact that the authors use these results as a tool to observe IPL activity when involved in different domains of cognition.

      The methodology is sound, well explained in the method section, the analyses are appropriate, and the results clear and well explained in the text and in graphic format.

      However, a solid experimental design is required to provide strong results. To the reviewer's view, the employed design can provide interesting results about functional connectivity, but not about the functional role of IPL in the investigated functions.

      I think the study would be correct and much more interesting if only based on functional connectivity data. Note that rewriting the paper accordingly would lead to a thorough discussion about how anatomical circuits are differently recruited based on different cognitive demands and about the variable role of cortical regions in functional tasks. This issue is neglected in the present discussion, and this concept is in disagreement with the main results, suggesting (probably beyond the intention of the authors) that different parts of the right and left IPL are the areas responsible for the studied functions.

      Major points:

      1) The 3 chosen tasks explore functions that are widespread in the brain, and are not specifically aimed at investigating IPL. The results (see. e.g. fig 1) confirm this idea, but the authors specifically focus on IPL. This seems a rather arbitrary and not justified choice. If they want to explore the lateralization issue, they should consider the whole set of involved areas or use tasks showing all their maximal activation in IPL.

      2) The authors aims to study lateralization using an attentional task, considering the violation of a prevision (invalid>valid), a linguistic task, looking for an activation related to word identification (word>pseudoword) and a social task, considering correct perspective taking (false belief>true belief), but they do not consider that in all cases a movement (key press) is required. It is well known that IPL is a key area also for creating motor commands and guiding movements. Accordingly, the lateralization bias observed could be due more to the unbalance between effectors while issuing the motor command, than to a different involvement of IPL regions in the specific tasks functions.

      3) Like point 2, the position of keys is also crucial if the authors want to explore lateralization. This is especially important if one considers that IPL plays a major role in spatial attention (e.g. Neglect syndrome). In the Methods, the authors simply say "Button assignments were randomized across subjects and kept identical across sessions", this should be explained in more detail.

      4) The authors show to know well the anatomical complexity of IPL, however their results are referred to two large-multiareal-regions. This seems to the reader at odds with all the descriptions related to fig.2. If they don't find any more subtle distinction within these 2 macro-regions, they should at least discuss this discrepancy.

      5) The part about Task-specific network connectivity is indeed very interesting, I would suggest to the authors to focus exclusively on this part. (Note that the results of this part seems to confirm that only the linguistic task is able to show a clear lateralization).

  29. Oct 2020
  30. Jun 2020
  31. Apr 2020
  32. Sep 2019
  33. Jul 2019
    1. Sequence analysis
    2. DNA sequencing of the 18S rDNA fragment
    3. Purification of PCR product
    4. Analysis of internal transcribed spacer region
    5. RAPDand SSRscoring and data analysis
    6. PCR amplification
    7. Running of gel and visualization of DNA
    8. Determination of the yield
    9. Agarose gel electrophoresis
    10. Qualitative and quantitative estimation of DNA
    11. Determination of the yield
    12. Procedure for DNA isolation
    13. Reagents required for fungal DNA isolationand p
    14. DNA isolation of Trichodermaisolate
    15. Photography, evaluation and documentation
    16. Procedurefor SDS-PAGE
    17. Materialsrequired for SDS-PAGE
    18. Protein profiling of bioagent through SDS-PAGE
    19. Dinitrosalicylate reagent (DNS)(per liter)
    20. Identificationof bioagent
    1. The table 6.1 gives the mixing probabilities and the associated parametricvalues fork(number of components) = 2,3, and 4. It may be noted thatthe Log likelihood value is smaller fork= 4 (the results fork= 5 , 6 etc.are not better than that fork= 4 and hence are not given here). The fourcomponents Poisson Mixture model is given in table 6.2. It may be notedthat 58% of wards may have higher incidence/relative risk and the remainingwards have lesser/lower incidence for the Cancer disease. We computed theposterior probability for each component for each ward (see table 6.3). Eachward is assigned to a particular component so that the posterior probability islarger. These results are also given in table 6.3 Finally we present Choroplethmaps based on those results
    2. Algorithm
    3. Data Sources
  34. Jun 2019
    1. Experiment 1: Assessing the impacts of elevated CO2and N levels on yield and nutrient uptake in rice
    2. Temperature Gradient Tunnels (TGT)
    1. T cell phenotypic distribution in HBsAgPositive, HBsAgNegative from HBsAg positive mothers and healthy newborns.