45 Matching Annotations
  1. Sep 2024
    1. This, under the circumstances, has been justly characterized by one of the witnesses {cc}(Montani, the confectioner,){cc} as an expression of remonstrance or expostulation.

      Not only was I surprised, but the witnesses in the story were as well. This surprise could be related to the truth being revealed or the curiosity about who is responsible.

    2. The throat of the old lady was not merely cut, but the head absolutely severed from the body

      The passage shows the cruelness of an animal and also illustrates the behavior of animals being skilled at imitation. Though it did it unconsciously, it’s also harmful.

    3. “The man who ran up against you as we entered the street — it may have been fifteen minutes ago.”

      Showing Dupin's prowess in deduction and his unpredictable personality through a random dialogue. Even before the case officially begins, let the reader understand his character

    4. Coincidences, in general, are great stumbling-blocks in the way of that class of thinkers who have been educated to know nothing{q} of the theory of probabilities

      I am not quite sure about the meaning of this sentence, is it means that normal people over interpreting the coincidences as the motivation of murderer?

    5. They must, then, have the power of fastening themselves

      I think the detective is smart. When he find the sash is difficult to be opened and needed to be fasten inside, he doesn’t quit the possibility that murderer could escape from the window but try to find if the window can fasten by itself.

    6. in whose tones, even, denizens of the five great divisions of Europe could recognise nothing familiar! You will say that it might have been the voice of an Asiatic

      When it comes to the crime, we will assume that it is committed by human, so the unusual sound could be interpreted as the terrified scream of the women or the shout of the murder; however, it couldn’t be recognized as any kinds of language, implying that the murderer might not be a human.

    7. The analytical power should not be confounded with simple ingenuity; for while the analyst is necessarily ingenious, the ingenious man is often remarkably{z} incapable of analysis.

      This may surprise you because it suggests that being clever doesn’t mean someone can analyze things well, which goes against the common belief that cleverness and analytical skill go hand in hand.

  2. Jul 2024
    1. (1) The filing by a registered elector of a written request with a board of elections or the secretary of state, on a form prescribed by the secretary of state and signed by the elector, that the registration be canceled. The filing of such a request does not prohibit an otherwise qualified elector from reregistering to vote at any time.

      The only true protest vote.

  3. Jun 2024
    1. for - paper

      paper - title: Carbon Consumption Patterns of Emerging Middle Class - year: 2020 - authors: Never et al.

      summary - This is an important paper that shows the pathological and powerful impact of the consumer story to produce a continuous stream of consumers demanding a high carbon lifestyle - By defining success in terms of having more stuff and more luxurious stuff, it sets the class transition up for higher carbon consumption - The story is socially conditioned into every class, ensuring a constant stream of high carbon emitters. - It provides the motivation to - escape poverty into the lower middle class - escape the lower middle class into the middle class - escape the middle class into the middle-upper class - escape the middle-upper class into the upper class - With each transition, average carbon emissions rise - Unless we change this fundamental story that measures success by higher and higher levels of material consumption, along with their respectively higher carbon footprint, we will not be able to stay within planetary boundaries in any adequate measure - The famous Oxfam graphs that show that - 10% of the wealthiest citizens are responsible for 50% of all emissions - 1% of the wealthiest citizens are responsible for 16% of all emissions, equivalent to the bottom 66% of emissions - but it does not point out that the consumer story will continue to create this stratification distribution

      from - search - google - research which classes aspire to a high carbon lifestyle? - https://www.google.com/search?q=research+which+classes+aspire+to+a+high+carbon+lifestyle%3F&oq=&gs_lcrp=EgZjaHJvbWUqCQgGECMYJxjqAjIJCAAQIxgnGOoCMgkIARAjGCcY6gIyCQgCECMYJxjqAjIJCAMQIxgnGOoCMgkIBBAjGCcY6gIyCQgFECMYJxjqAjIJCAYQIxgnGOoCMgkIBxAjGCcY6gLSAQk4OTE5ajBqMTWoAgiwAgE&sourceid=chrome&ie=UTF-8 - search results returned of salience - Carbon Consumption Patterns of Emerging Middle Classes- This discussion paper aims to help close this research gap by shedding light on the lifestyle choices of the emerging middle classes in three middle-income ... - https://www.idos-research.de/uploads/media/DP_13.2020.pdf

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

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

      1. What is it and why is it used?

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

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

      2. Syntax:

      Using methods object directly in the schema options:

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

      Using methods object directly in the schema:

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

      Using Schema.method() helper:

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

      3. Explanation in Simple Words with Examples:

      Why it's Used:

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

      Example:

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

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

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

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

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

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

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

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

    Tags

    Annotators

    URL

  5. Dec 2023
    1. deux jours ouvrables correspondantau délai accordé à l’élève pour présenter sa défense (art. R. 421-10-1 du code del’éducation) dans le cadre du respect du principe du contradictoire.
  6. 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?)

  7. Mar 2023
    1. Nem tudhatom, hogy másnak e tájék mit jelent, nekem szülőhazám itt e lángoktól ölelt kis ország, messzeringó gyerekkorom világa. Belőle nőttem én, mint fatörzsből gyönge ága s remélem, testem is majd e földbe süpped el. Itthon vagyok. S ha néha lábamhoz térdepel egy-egy bokor, nevét is, virágát is tudom, tudom, hogy merre mennek, kik mennek az uton, s tudom, hogy mit jelenthet egy nyári alkonyon a házfalakról csorgó, vöröslő fájdalom.

      a 6. sor első mondata fejezi ki a vers alap helyzetét: Itthon vagyok : ezt a gondolatot fejti ki a költő a következő pár sorban, apró életképekkel: mit jelent számára a haza? ismerős bokrokat, házakat, embereket és ismerős fájdalmakat is, melyeket a háború okozott: a költőt a nyári alkony színei a fehér ház falán a lefolyó vérre emlékeztetik - valószínűleg abban a házban is siratnak valakit, akit a háború szakított el családjától

  8. Dec 2022
    1. 1. Total transparency

      All info all of the time available to all makes for a trusting space. Plus, a more active way to help all your people understand what they are seeing.

  9. Oct 2021
  10. bafybeiery76ov25qa7hpadaiziuwhebaefhpxzzx6t6rchn7b37krzgroi.ipfs.dweb.link bafybeiery76ov25qa7hpadaiziuwhebaefhpxzzx6t6rchn7b37krzgroi.ipfs.dweb.link
    1. Recent research suggests that globally, the wealthiest 10% have been responsible foras much as half of the cumulative emissions since 1990 and the richest 1% for more than twicethe emissions of the poorest 50% (2).

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

  11. 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: 4.9

      AssayResultAssertion: Normal

      StandardErrorMean: 0.32

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

      AssayResult: 113

      AssayResultAssertion: Normal

      ReplicateCount: 17

      StandardErrorMean: 28.6

      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)

  12. Jul 2019
    1. Myth: Refugees are all Muslim.

      Do people actually think that? That is ridiculous and so ignorant. People shouldn't stereotype like that. Does the general public really believe that all refugees are from the middle east and are Muslim? I wonder if they know that there are thousands of Christians in the middle east."Christians now make up approximately 5% of the Middle Eastern population, down from 20% in the early 20th century" That's part of the problem. It's a war on freedom. Religious freedom, basic human rights, and personal desires. Sheesh!

  13. Jun 2019
  14. May 2019
    1. stranded DNA. The reaction was carried out at 37°C for 1 h. The reaction mixture contained 100 ng Bgl II digested VR1020 vector, SAP (0.5 U) and 1 fll lOX SAP buffer (20 mM Tris-HCl, pH 8.0, 10 mM MgCh) in 10 f.!l oftotal reaction volume. The reaction was stopped by inactivating the enzyme at 65°C for 15 min. The digested bmZP1 eDNA was ligated with SAP treated VR1 020 at vector : insert ratio of 1:10 in a 10 fll reaction volume for 16 h at l6°C. The reaction mixture contained 10 ng VR1020 vector, 26 ng bmZPl insert, 1 fll lOX ligase quffer (30 mM Tris-HCl, pH 7.8, 10 mM MgCh, 10 mM DTT and 1 mM ATP), lfll T4 DNA ligase (20 U) in a total reaction volume of 10 fll. The ligation product was used for transformation of DH5a competent cells as described previously. Transformants were selected on LB plates containing 50 f.!g/ml Kanamycin (Kan). Similarly, the inserts corresponding to dZP3, rG and dZP3-rG fusion were digested with Bgl II restriction enzyme, gel purified and cloned in VR1020 vector, except that the ligation product of dZP3-rG fusion with VR1020 was transformed into JM109 competent cells
    2. The insert corresponding to bmZP1 was released from the pPCR-Script-bmZPl clone by Bgl II restriction and purified on the agarose gel. VR1020 vector was similarly digested and gel purified. To prevent self-ligation, the digested vector was treated with Shrimp Alkaline Phosphatase (SAP), which removes 5'-phosphate from the termini of double
    3. Cloning in VRl 020 mammalian expression vector
    1. MeancellVolume(MCV).Itisexpressedinfentolitres(1fentolitreorflisequivalentto10'151)andcalculatedby thefollowingformula:PCVMCV=.....................x10(fl)RBC8.10.6.2.MCHMeancellhaemoglobin(MCH)=AverageweightofHbinanerythrocyte.Itisexpressedinpicograms(pg)whichisequivalentto10"12g.Itiscalculatedbythefollowingformula:HbMCH=-----------------x10(ppg)RBC
    2. MCV
    3. BloodwastakenbyheartpunctureusingMS222astheanaesthetic.Nofishwasusedmorethanonce.
    4. CollectionofBlood
    1. To quantitate the P1 phage lysate preparations, titration was done using a P1-sensitive indicator strain such as MG1655. 100 μl each of serial dilutions of the phage (typically 10−5, 10−6) were mixed with 0.1 ml of the fresh culture grown in Z-broth. After 15 min adsorption at 37°C without shaking, each mixture was added in a soft agar overlay to Z agar plates, and incubated overnight at 37°C. The phage titre was calculated from the number of plaques obtained on the plates
    2. To 0.3 ml of infection mixture, 10 ml of Z-broth was added and incubated at 37°C with slow shaking until growth followed by the visible lysis of the culture occurred (in ~ 4-6 h). The lysate was treated with 1 ml of chloroform, centrifuged and the clear lysate was stored at 4°C with chloroform
    3. Broth method
    1. 3.0–5.0, phosphate buffer for pH 6.0–8.0 and Tris-HCl buffer for pH 9.0) were used. •pH stability: The pH stability of the selected tannases was examined in the range of 3.0–9.0 by incubating the enzyme samples for 6 h in different buffers. Tannase activity was estimated under standard assay conditions. •Temperature tolerance: Temperature tolerance of the tannases was examined by assaying their activity at different temperatures in the range of 20 to 80ºC. •Temperature stability: Temperature stability of the tannases was determined by incubating them in the temperature range of 20 to 70 ºC for 6 h. After the incubation tannase activity (%) was determined under standard assay conditions. •Organic solvent stability: In order to determine the suitability of the selected tannases for organic synthesis, their stability was determined in different organic solvents. Experimentally, 10 mg of each of the crude lyophilized tannase from the selected cultures were mixed with 1.0 ml of the following organic solvent: a) Hexane b) Methanol c) Propanol d) Isoamyl alcohol e) Petroleum ether f ) Chloroform The mixture was incubated for 6 h at optimal temperature and the organic solvents were then decanted and the residues were dried in a vacuum desiccator. These dried samples were dissolved in 1.0 ml of citrate phosphate buffer (50 mM, pH 5.0) and the tannase activity was determined under standard assay conditions. The tannase activity thus obtained from each culture were compared with initial tannase activity. Finally, on the basis of tannase titres produced per ml and desirable biochemical properties, the best tannase producer was selected for further investigations
    2. The tannases obtained (at high titres) from selected cultures were evaluated for the following important biochemical properties. 1. pH tolerance and stability 2. Temperature tolerance and stability 3. Organic solvent stability •pH tolerance: pH-tolerance of the selected tannases was examined in the range of 3.0–9.0. Buffers (0.05 M) of different pH (citrate phosphate for pH
    3. Preliminary biochemical characterization of tannases from the potent tannase producers
  15. Nov 2017