111 Matching Annotations
  1. Apr 2024
    1. Form u hi l

      Formulation

      Here Kaiser seems to be considering the similar concept of "coming to terms", a process which is far from simple.

    2. Classification work is however not quite as simple as it maylook, on the contrary, it is a rather tricky subject, for wemust give our classes a name, we must define them, we mustknow at any rate ourselves where they begin and where theyend. It would never do for the classes to interfere with each,other, they must be defined so that they neither overlap amongthemselves nor leave any ground of the organisation as a wholeuncovered. That is certainly a difficulty but it is not insur-mountable where patience and perseverance are brought to»bear.

      Kaiser's idea of classification work bears close similarity to Mortimer Adler/Charles Van Doren's concept of coming to terms. There are subtle shades between ideas which must be differentiated so as to better situate them with respect to others.

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

  3. Nov 2023
    1. Lovely. I guess what I'm trying to define is some methodology for practicing. Many times I simply resort to my exhaustive method, which has worked for me in the past simply due to brute force.Thank you for taking the time to respond and for what look like some very interesting references.

      reply to u/ethanzanemiller at https://www.reddit.com/r/Zettelkasten/comments/185xmuh/comment/kb778dy/?utm_source=reddit&utm_medium=web2x&context=3

      Some of your methodology will certainly depend on what questions you're asking, how well you know your area already, and where you'd like to go. If you're taking notes as part of learning a new area, they'll be different and you'll treat them differently than notes you're collecting on ideas you're actively building on or intriguing facts you're slowly accumulating. Often you'll have specific questions in mind and you'll do a literature review to see what's happing around that area and then read and take notes as a means of moving yourself closer to answering your particular questions.

      Take for example, the frequently asked questions (both here in this forum and by note takers across history): how big is an idea? what is an atomic note? or even something related to the question of how small can a fact be? If this is a topic you're interested in addressing, you'll make note of it as you encounter it in various settings and see that various authors use different words to describe these ideas. Over time, you'll be able to tag them with various phrases and terminologies like "atomic notes", "one idea per card", "note size", or "note lengths". I didn't originally set out to answer these questions specifically, but my interest in the related topics across intellectual history allowed such a question to emerge from my work and my notes.

      Once you've got a reasonable collection, you can then begin analyzing what various authors say about the topic. Bring them all to "terms" to ensure that they're talking about the same things and then consider what arguments they're making about the topic and write up your own ideas about what is happening to answer those questions you had. Perhaps a new thesis emerges about the idea? Some have called this process having a conversation with the texts and their authors or as Robert Hutchins called it participating in "The Great Conversation".

      Almost anyone in the forum here could expound on what an "atomic note" is for a few minutes, but they're likely to barely scratch the surface beyond their own definition. Based on the notes linked above, I've probably got enough of a collection on the idea of the length of a note that I can explore it better than any other ten people here could. My notes would allow me a lot of leverage and power to create some significant subtlety and nuance on this topic. (And it helps that they're all shared publicly so you can see what I mean a bit more clearly; most peoples' notes are private/hidden, so seeing examples are scant and difficult at best.)

      Some of the overall process of having and maintaining a zettelkasten for creating material is hard to physically "see". This is some of the benefit of Victor Margolin's video example of how he wrote his book on the history of design. He includes just enough that one can picture what's happening despite his not showing the deep specifics. I wrote a short piece about how I used my notes about delving into S.D. Goitein's work to write a short article a while back and looking at the article, the footnotes, and links to my original notes may be illustrative for some: https://boffosocko.com/2023/01/14/a-note-about-my-article-on-goitein-with-respect-to-zettelkasten-output-processes/. The exercise is a tedious one (though not as tedious as it was to create and hyperlink everything), but spend some time to click on each link to see the original notes and compare them with the final text. Some of the additional benefit of reading it all is that Goitein also had a zettelkasten which he used in his research and in leaving copies of it behind other researchers still actively use his translations and notes to continue on the conversation he started about the contents of the Cairo Geniza. Seeing some of his example, comparing his own notes/cards and his writings may be additionally illustrative as well, though take care as many of his notes are in multiple languages.

      Another potentially useful example is this video interview with Kathleen Coleman from the Thesaurus Linguae Latinae. It's in the realm of historical linguistics and lexicography, but she describes researchers collecting masses of data (from texts, inscriptions, coins, graffiti, etc.) on cards which they can then study and arrange to write their own articles about Latin words and their use across time/history. It's an incredibly simple looking example because they're creating a "dictionary", but the work involved was painstaking historical work to be sure.

      Again, when you're done, remember to go back and practice for yourself. Read. Ask questions of the texts and sources you're working with. Write them down. Allow your zettelkasten to become a ratchet for your ideas. New ideas and questions will emerge. Write them down! Follow up on them. Hunt down the answers. Make notes on others' attempts to answer similar questions. Then analyze, compare, and contrast them all to see what you might have to say on the topics. Rinse and repeat.

      As a further and final (meta) example, some of my answer to your questions has been based on my own experience, but the majority of it is easy to pull up, because I can pose your questions not to my experience, but to my own zettelkasten and then quickly search and pull up a variety of examples I've collected over time. Of course I have far more experience with my own zettelkasten, so it's easier and quicker for me to query it than for you, but you'll build this facility with your own over time.

      Good luck. 🗃️

  4. Aug 2023
  5. May 2023
    1. Most NDAs are several pages of dense text and sending your unique form ends up requiring your potential business partner to review it all over again and slowing you both down. But we’ve standardized and streamlined the process. Our NDA is free and takes just minutes for both parties to review and sign all online in one simple tool.
    2. VirtualTerms standardizes and streamlines common business agreements to make it easy for two parties to agree quickly and move on with doing business together.
  6. Mar 2023
  7. Jan 2023
    1. The} l)'P1callyopera1c ·" ne1works 10 dc1cc1.analrze, and acru-atc re,pon<e; IO cm 1ronmental even 1,

      The sensors are not only networks of analysis, detection, and responses to environmental events but are ways of describing environments and bringing them into being as sociopolitical worlds that reflect the differing ways of experiencing and navigating planetary zones.

    1. A term recommended by Eve regarding an interdisciplinary approach that accounts for multiple feedback loops within complex systems. Need to confer complex systems science to see if ADHD is already addressed in that domain.

  8. Nov 2022
  9. Oct 2022
    1. The directed acyclicgraph of diagnostic questions is projected into a tree to ease navigation forthe user.

      DAGs: directed acyclic graphs are:

      "A directed graph is a DAG if and only if it can be topologically ordered, by arranging the vertices as a linear ordering that is consistent with all edge directions. DAGs have numerous scientific and computational applications, ranging from biology (evolution, family trees, epidemiology) to information science (citation networks) to computation (scheduling)."

      https://en.wikipedia.org/wiki/Directed_acyclic_graph

    1. His work provides a "thick" (see Geertz 1973),detailed description of the way work actually progresses

      Qual methods: "thick" is used often to describe certain kinds of detailed descriptions.

    2. precepts

      Definition: rules, principles

    1. If you give a title to your notes, "claim notes" are simply notes with a verb. They invite you to say: "Prove it!" - "The positive impact of PKM" (not a claim) - "PKM has a positive impact in improving writer's block" (claim) A small change with positive mindset consequences

      If you give a title to your notes, "claim notes" are simply notes with a verb.<br><br>They invite you to say: "Prove it!"<br><br>- "The positive impact of PKM" (not a claim)<br>- "PKM has a positive impact in improving writer's block" (claim)<br><br>A small change with positive mindset consequences

      — Bianca Pereira | PKM Coach and Researcher (@bianca_oli_per) October 6, 2022
      <script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>

      Bianca Pereira coins the ideas of "concept notes" versus "claim notes". Claim notes are framings similar to the theorem or claim portion of the mathematical framing of definition/theorem(claim)/proof. This set up provides the driving impetus of most of mathematics. One defines objects about which one then advances claims for which proofs are provided to make them theorems.

      Framing one's notes as claims invites one to provide supporting proof for them to determine how strong they may or may not be. Otherwise, ideas may just state concepts which are far less interesting or active. What is one to do with them? They require more active work to advance or improve upon in more passive framings.

      link to: - Maggie Delano's reading framing: https://hypothes.is/a/4xBvpE2TEe2ZmWfoCX_HyQ

    1. Have you ever followed a discussion in the newspapers or elsewhere andnoticed how frequently writers fail to define the terms they use? Or howoften, if one man does define his terms, another will assume in his reply thathe was using the terms in precisely the opposite sense to that in which he hasalready defined them?

    Tags

    Annotators

    1. For her online book clubs, Maggie Delano defines four broad types of notes as a template for users to have a common language: - terms - propositions (arguments, claims) - questions - sources (references which support the above three types)

      I'm fairly sure in a separate context, I've heard that these were broadly lifted from her reading of Mortimer J. Adler's How to Read a book. (reference? an early session of Dan Allosso's Obsidian Book club?)

      These become the backbone of breaking down a book and using them to have a conversation with the author.

    1. here are several ways I havefound useful to invite the sociological imagination:

      C. Wright Mills delineates a rough definition of "sociological imagination" which could be thought of as a framework within tools for thought: 1. Combinatorial creativity<br /> 2. Diffuse thinking, flâneur<br /> 3. Changing perspective (how would x see this?) Writing dialogues is a useful method to accomplish this. (He doesn't state it, but acting as a devil's advocate is a useful technique here as well.)<br /> 4. Collecting and lay out all the multiple viewpoints and arguments on a topic. (This might presume the method of devil's advocate I mentioned above 😀)<br /> 5. Play and exploration with words and terms<br /> 6. Watching levels of generality and breaking things down into smaller constituent parts or building blocks. (This also might benefit of abstracting ideas from one space to another.)<br /> 7. Categorization or casting ideas into types 8. Cross-tabulating and creation of charts, tables, and diagrams or other visualizations 9. Comparative cases and examples - finding examples of an idea in other contexts and time settings for comparison and contrast 10. Extreme types and opposites (or polar types) - coming up with the most extreme examples of comparative cases or opposites of one's idea. (cross reference: Compass Points https://hypothes.is/a/Di4hzvftEeyY9EOsxaOg7w and thinking routines). This includes creating dimensions of study on an object - what axes define it? What indices can one find data or statistics on? 11. Create historical depth - examples may be limited in number, so what might exist in the historical record to provide depth.

  10. Sep 2022
    1. However, while URLs allow you to locate a resource, a URI simply identifies a resource. This means that a URI is not necessarily intended as an address to get a resource. It is meant just as an identifier.

      However, while URLs allow you to locate a resource, a URI simply identifies a resource.

      Very untrue/misleading! It doesn't simply (only) identify it. It includes URLs, so a URI may be a locator, a name, or both!

      https://datatracker.ietf.org/doc/html/rfc3986 states it better and perfectly:

      A URI can be further classified as a locator, a name, or both. The term "Uniform Resource Locator" (URL) refers to the subset of URIs that, in addition to identifying a resource, provide a means of locating the resource by describing its primary access mechanism (e.g., its network "location").

      This means that a URI is not necessarily intended as an address to get a resource. It is meant just as an identifier.

      The "is not necessarily" part is correct. The "is meant" part is incorrect; shoudl be "may only be meant as".

    1. • Daily writing prevents writer’s block.• Daily writing demystifies the writing process.• Daily writing keeps your research always at the top of your mind.• Daily writing generates new ideas.• Daily writing stimulates creativity• Daily writing adds up incrementally.• Daily writing helps you figure out what you want to say.

      What specifically does she define "writing" to be? What exactly is she writing, and how much? What does her process look like?

      One might also consider the idea of active reading and writing notes. I may not "write" daily in the way she means, but my note writing, is cumulative and beneficial in the ways she describes in her list. I might further posit that the amount of work/effort it takes me to do my writing is far more fruitful and productive than her writing.

      When I say writing, I mean focused note taking (either excerpting, rephrasing, or original small ideas which can be stitched together later). I don't think this is her same definition.

      I'm curious how her process of writing generates new ideas and creativity specifically?


      One might analogize the idea of active reading with a pen in hand as a sort of Einsteinian space-time. Many view reading and writing as to separate and distinct practices. What if they're melded together the way Einstein reconceptualized the space time continuum? The writing advice provided by those who write about commonplace books, zettelkasten, and general note taking combines an active reading practice with a focused writing practice that moves one toward not only more output, but higher quality output without the deleterious effects seen in other methods.

  11. Apr 2022
    1. You and Galileo agree that any Dispute arising out of or related to these Terms or the Site is personal to you and Galileo and that such Dispute will be resolved solely through individual arbitration and will not be brought as a class arbitration, class action or any other type of representative proceeding.

      Terms such as these often limit the ability for lawsuits to happen on a large scale. The effect — not necessarily relevant in this situation — is that companies can operate in a way that "nickels and dimes" on a large scale, but at amounts to individuals that is cost prohibitive to litigate or arbitrate (to individuals). Such circumstances can lead to a situation where a company could theoretically receive large sums of money from its customer base that it is not entitled to receive, but there be few financially viable mechanisms for countering and disincentivizing such bad behavior.

    2. All health care services you will receive are provided by independent, licensed doctors and nurse practitioners practicing within a group of independently owned professional practices.

      Definition for "Medical Group."

    1. By using the Services you consent to exclusive jurisdiction and venue of Fulton County, Georgia.

      Disputes will be resolved in Georgia.

  12. Jan 2022
    1. Family child care (FCC) refers to regulated (licensed, certified, or registered) HBCC. Family, friend, and neighbor (FFN) care refers to HBCC that is legally exempt from licensing or other regulation, whether paid or unpaid. FFN care includes care given by grandparents, other relatives, and non-relatives. Home-based child care (HBCC) providers are a heterogeneous population of providers who offer care and education to children in their own or the child’s home. (Although we use “HBCC” throughout the report, we recognize the role providers play both caring for and educating children.) Providers’ HBCC status is fluid, and individuals’ roles may change—those who care for a few children who are related to them, whether with or without pay; those who offer care as a professional occupation and a business; those who care for children over many years; and those who care for children sporadically in response to changing family needs. We assume a variety of factors influence these patterns, which may shift over time.

      Essential knowledge for SECURE lab

    2. HBCC includes regulated (licensed, certified, registered) family child care (FCC) and care legally exempt from regulation (license-exempt) that is provided by family, friends, or neighbors (FFN).

      these are KEY TERMS for our project - learn these terms and acronyms: FCC and FFN are part of HBCC

  13. Nov 2021
    1. I posted a question about MD5 hash collision back in 2014. As far as I know questions about algorithms are on-topic on Stack Overflow, and the cryptography tag did not have the warning "CRYPTOGRAPHY MUST BE PROGRAMMING RELATED" back then.
    2. Stack Overflow is full of old "not directly programming related" cryptography questions, that are highly upvoted. Those have to be closed/locked as well?
  14. Sep 2021
    1. t's also why it is so annoying to people who actually know what they are doing, when randomly the browser decides to take over a function provided for decades by the OS network stack, and with no notice start bypassing all the infrastructure they set up to their liking (like your hosts file) and funelling all their browsing habits to some shady company (Cloudflare).
    1. flavored vaping products

      Breathing in flavored nicotine product through a device. The device is... (need to look up)

      **Need to find a good description of a vape product

    2. Food and Drug Administration

      Important term to understand - What do they do, are they part of the government, how do they regulate things?

  15. Aug 2021
  16. Jun 2021
  17. Apr 2021
    1. The privacy policy — unlocking the door to your profile information, geodata, camera, and in some cases emails — is so disturbing that it has set off alarms even in the tech world.

      This Intercept article covers some of the specific privacy policy concerns Barron hints at here. The discussion of one of the core patents underlying the game, which is described as a “System and Method for Transporting Virtual Objects in a Parallel Reality Game" is particularly interesting. Essentially, this system generates revenue for the company (in this case Niantic and Google) through the gamified collection of data on the real world - that selfie you took with squirtle is starting to feel a little bit less innocent in retrospect...

    1. why do you guys think have_css matcher is named the way it is? I mean, it sure deals with css identifiers, but have_css gives(at least to me) the impression that the page has certain stylesheet loading.
  18. Mar 2021
    1. place

      place?

      to me that connotes a physical location.

      How can they be using that in semantics? Is that a common term/jargon used in the terminology/lexicon of semantics?

    1. The word authority in authority control derives from the idea that the names of people, places, things, and concepts are authorized, i.e., they are established in one particular form.
  19. Feb 2021
    1. Good intentions, but I doubt there's any relation of the origin of the terms blacklist/whitelist to race. There are many idioms and phrases in the English language that make use of colours without any racial backstories. I haven't met any black person (myself included) who was ever offended by the use of "blacklist".
    2. Regardless of origin, allow/deny are simply clearer terms that does not require tracing the history of black/white as representations of that meaning. We can simply use the meaning directly.
    1. Though rarer in computer science, one can use category theory directly, which defines a monad as a functor with two additional natural transformations. So to begin, a structure requires a higher-order function (or "functional") named map to qualify as a functor:

      rare in computer science using category theory directly in computer science What other areas of math can be used / are rare to use directly in computer science?

    1. Similarly to a cell phone setup, you prepay your email quota. Although they famously used to offer credits that ‘never expired’, new changes mean that credits now expire after 12 months (or, if purchased before May 15th 2019, they’ll expire on May 15th 2020).
  20. Dec 2020
  21. Nov 2020
    1. the adjective strong or the adverb strongly may be added to a mathematical notion to indicate a related stronger notion; for example, a strong antichain is an antichain satisfying certain additional conditions, and likewise a strongly regular graph is a regular graph meeting stronger conditions. When used in this way, the stronger notion (such as "strong antichain") is a technical term with a precisely defined meaning; the nature of the extra conditions cannot be derived from the definition of the weaker notion (such as "antichain")
    1. furious nihilism

      This is an interesting, yet dubious concept. Can Nihilism truly be furious since it requires a fundamental rejection of the notion that things matter, and if things don't matter then why would fury be required in any form? As a non-user, I wonder if this is a mischaracterization, especially since I'm not sure if the combination of terms is possible.

  22. Oct 2020
    1. you are granting us the right to use your User Content without the obligation to pay royalties to any third party
    2. You or the owner of your User Content still own the copyright in User Content sent to us, but by submitting User Content via the Services, you hereby grant us an unconditional irrevocable, non-exclusive, royalty-free, fully transferable, perpetual worldwide licence to use, modify, adapt, reproduce, make derivative works of, publish and/or transmit, and/or distribute and to authorise other users of the Services and other third-parties to view, access, use, download, modify, adapt, reproduce, make derivative works of, publish and/or transmit your User Content in any format and on any platform, either now known or hereinafter invented.
  23. Sep 2020
  24. Aug 2020
  25. Jun 2020
    1. In systems engineering and requirements engineering, a non-functional requirement (NFR) is a requirement that specifies criteria that can be used to judge the operation of a system, rather than specific behaviors. They are contrasted with functional requirements that define specific behavior or functions

      This is a strange term because one might read "non-functional" and interpret in the sense of the word that means "does not function", when instead the intended sense is "not related to function". Seems like a somewhat unfortunate name for this concept. A less ambiguous term could have been picked instead, but I don't know what that would be.

  26. May 2020
    1. Though not always legally required, terms & conditions (also called ToS – terms of service, terms of use, or EULA – end user license agreement) are pragmatically required
    1. Though not always legally required, a Terms & Conditions (T&C) document (also known as a Terms of Service, End-user license agreement or a Terms of Use agreement) is often necessary for the sake of practicality and safety. It allows you to regulate the contractual relationship between you and your users and is therefore essential for, among other things, setting the terms of use and protecting you from potential liabilities.
  27. Apr 2020
    1. the cost of reading consent formats or privacy notices is still too high.
    2. Third, the focus should be centered on improving transparency rather than requesting systematic consents. Lack of transparency and clarity doesn’t allow informed and unambiguous consent (in particular, where privacy policies are lengthy, complex, vague and difficult to navigate). This ambiguity creates a risk of invalidating the consent.

      systematic consents

    3. the authority found that each digital platform’s privacy policies, which include the consent format, were between 2,500 and 4,500 words and would take an average reader between 10 and 20 minutes to read.
    1. In mainstream press, the word "hacker" is often used to refer to a malicious security cracker. There is a classic definition of the term "hacker", arising from its first documented uses related to information technologies at MIT, that is at odds with the way the term is usually used by journalists. The inheritors of the technical tradition of the word "hacker" as it was used at MIT sometimes take offense at the sloppy use of the term by journalists and others who are influenced by journalistic inaccuracy.
  28. Mar 2020
    1. when you choose Matomo Cloud, we acknowledge in our Terms that you own all rights, titles, and interest to your users’ data. We obtain no rights from you to your users data. This means we can’t on-sell it to third parties, we can’t claim ownership of it, you can export your data anytime

      Technically impossible for them to sell your data if the data doesn't pass through them at all.

    1. Second, you cannot simply add the cookie language to your existing Terms and Conditions because you need to gain consent specifically for the use of cookies. This means, if you already have users who have agreed to your T&Cs, after adding the cookie language you will need to prompt them to review and agree to the new T&Cs.
    1. If your agreement with Google incorporates this policy, or you otherwise use a Google product that incorporates this policy, you must ensure that certain disclosures are given to, and consents obtained from, end users in the European Economic Area along with the UK. If you fail to comply with this policy, we may limit or suspend your use of the Google product and/or terminate your agreement.
    2. You must clearly identify each party that may collect, receive, or use end users’ personal data as a consequence of your use of a Google product. You must also provide end users with prominent and easily accessible information about that party’s use of end users’ personal data.
    1. Because humans hate being bored or confused and there are countless ways to make decisions look off-puttingly boring or complex — be it presenting reams of impenetrable legalese in tiny greyscale lettering so no-one will bother reading
    1. Though not always legally required, terms & conditions (also called ToS – terms of service, terms of use, or EULA – end user license agreement) are pragmatically required. It governs the contractual relationship between you and your users and sets the way in which your product, service or content may be used, in a legally binding way. It is therefore essential for protecting your content from a copyright perspective as well as protecting you from potential liabilities. They typically contain copyright clauses, disclaimers and terms of sale, allow you to set governing law, list mandatory consumer protection clauses, and more.
    1. "I have read and agree to the terms and conditions” may well be the most common lie in the history of civilization. How many times do you scroll and click accept without a second thought? You’re not alone. Not only they go unread, but they also include a self-updating clause requiring you to go back and review those documents for changes. You’re agreeing to any changes, and their consequences, indefinitely. 
    1. And, frankly, we’re abetting this behavior. Most users just click or tap “okay” to clear the pop-up and get where they’re going. They rarely opt to learn more about what they’re agreeing to. Research shows that the vast majority of internet users don’t read terms of service or privacy policies — so they’re probably not reading cookie policies, either. They’re many pages long, and they’re not written in language that’s simple enough for the average person to understand.
    2. But in the end, they’re not doing much: Most of us just tediously click “yes” and move on.
    3. The site invites you to read its “cookie policy,” (which, let’s be honest, you’re not going to do), and it may tell you the tracking is to “enhance” your experience — even though it feels like it’s doing the opposite.
  29. Feb 2020
  30. Jan 2020
    1. Temporary access

      Large portions of the material below this read more like a Terms of Service than a Code of Conduct. It might be more useful to split these into two pages to better delineate the two ideas.

      (Original annotation at https://boffosocko.com/2020/01/10/code-of-conduct-openetc/#Temporary%20access)

  31. Nov 2019
    1. Using expect { }.not_to raise_error(SpecificErrorClass) risks false positives, as literally any other error would cause the expectation to pass, including those raised by Ruby (e.g. NoMethodError, NameError, and ArgumentError)

      Actually, those would be false negatives: the absence of a test failure when it should be there.

      https://en.wikipedia.org/wiki/False_positives_and_false_negatives

    1. This is called a false positive. It means that we didn't get a test failure, but we should have

      No, this is a false negative. We didn't get a test failure (that is, there is a lack of the condition (test failure)), when the condition (test failure) should have been present.

      Read https://en.wikipedia.org/wiki/False_positives_and_false_negatives

  32. Aug 2019
  33. Jul 2019
  34. Jun 2019
    1. capital

      is a sum of money provided to a company to further its business objectives. The term also can refer to a company's acquisition of long-term assets such as real estate, manufacturing plants, and machinery.

    2. national currencies

      A national currency is a legal tender issued by a country's central bank or monetary authority.

  35. May 2019
    1. In other words, data analytics involves the actual analysis of the data, and informatics is the application of that information. Health informatics professionals use their knowledge of information systems, databases, and information technology to help design effective technology systems that gather, store, interpret, and manage the data that is generated in the provision of healthcare to patients.

      informatics vs. analytics

  36. Mar 2019
    1. Procedure The test aimed to find the relationship of study anxiety and academic performance among engineering students. Immediately participants giving a test, testing also aims to select trainees who have been identified in high anxiety and low academic performance were to participate in this training. The participants came to the lab and fill in the questionnaire include the S-Anxiety scale (STAI Form Y-1) and T-Anxiety scale (STAI Form Y-1). The STAI has 40 items of question and took approximately 20 minutes to complete. The students first read and answered if they had problems the researcher will guide students to answer the questions. This test was based on the faculty, after two weeks who have high levels of anxiety and low academic performance were offered to participate in this study. Result of the test was used to find out correlation between anxiety and academic performance.

      The authors explain the steps and procedures of the study and gives information about the way the research experiment will be executed. This is primary evidence as it is new information formulated and analysed by the authors to generate useful outcomes.

    Tags

    Annotators

  37. Oct 2018
    1. In computer programming, it doesn’t have a very complex definition. It just means that you represent a thing as part of your data model.

      definition of reify in compsci

  38. Feb 2018
    1. You may not copy any material accessed through this Website except to download, view or save to hard disk or diskette and store or print out single copies of individual search results for your own personal and non-commercial use, scholarly, educational or scientific research or study

      Copyright.

  39. Jun 2017
    1. Bill Fitzgerald provides some useful tips recently in a webinar in regards to Terms of Service. He suggested searching for the following words associated with consent forms: third party, affiliations, change, update and modify.

  40. Oct 2016
  41. Sep 2016
  42. May 2016
    1. including the use of passwords to gain access to your personal information.

      Why is this noteworthy?

    2. we make it available on our homepage and at every point where we request your personal information

      Why is this noteworthy?

  43. Apr 2016
  44. Nov 2015
  45. Feb 2014
    1. the radical decentralization of intelligence in our communications network and the centrality of information, knowl- edge, culture, and ideas to advanced economic activity—the net- worked information economy . By “networked information economy,” I mean to describe an emerging stage of what in the past has been called more generally “the information economy” or “the information society.” I would use the term in contradistinction to the earlier stage of the information economy, which one could call the “ industrial in- formation economy.”
  46. Jan 2014
    1. In addition, the results imply that there is a lack of awareness about the importance of metadata among the scientific community –at least in practice– which is a serious problem as their involvement is quite crucial in dealing with problems regarding data management.

      Is there any reasonable agreement about what the term metadata means or includes? For example, how important is the unit of measure to scientists (feet vs meters) and is that information considered metadata or simply an implied part inherent in the data itself?