144 Matching Annotations
  1. Sep 2024
    1. Deep learning is a type of machine learning that teaches computers to perform tasks by learning from examples, much like humans do. Imagine teaching a computer to recognize cats: instead of telling it to look for whiskers, ears, and a tail, you show it thousands of pictures of cats. The computer finds the common patterns all by itself and learns how to identify a cat. This is the essence of deep learning. In technical terms, deep learning uses something called "neural networks," which are inspired by the human brain. These networks consist of layers of interconnected nodes that process information. The more layers, the "deeper" the network, allowing it to learn more complex features and perform more sophisticated tasks.
    1. What is Natural Language Processing? Natural language processing (NLP) is a field of computer science and a subfield of artificial intelligence that aims to make computers understand human language. NLP uses computational linguistics, which is the study of how language works, and various models based on statistics, machine learning, and deep learning. These technologies allow computers to analyze and process text or voice data, and to grasp their full meaning, including the speaker’s or writer’s intentions and emotions. NLP powers many applications that use language, such as text translation, voice recognition, text summarization, and chatbots. You may have used some of these applications yourself, such as voice-operated GPS systems, digital assistants, speech-to-text software, and customer service bots. NLP also helps businesses improve their efficiency, productivity, and performance by simplifying complex tasks that involve language.
    1. Now we understand why there has to be an inner reality which is made of qualia and an outer reality which is made a lot of symbols, shareable symbols, what we call matter.

      for - unpack - key insight - with the postulate of consciousness as the foundation, it makes sense that this is - an inner reality made of qualia - and an outer reality made of shareable symbols we call matter - Federico Faggin - question - about Federico Faggin's ideas - in what way is matter a symbol? - adjacency - poverty mentality - I am the universe who wants to know itself question - in what way is matter a symbol? - Matter is a symbol in the sense that it - we describe reality using language, both - ordinary words as well as - mathematics - It is those symbolic descriptions that DIRECT US to jump from one phenomena to another related phenomena. - After all, WHO is the knower of the symbolic descriptions? - WHAT is it that knows? Is it not, as FF points out, the universe itself - as expressed uniquely through all the MEs of the world, that knows? - Hence, the true nature of all authentic spiritual practices is that - the reality outside of us is intrinsically the same as - the reality within us - our lebenswelt of qualia

  2. Aug 2024
    1. when we experience peace what we are experiencing whether we realize it or not is is the background of awareness the background of consciousness who who's whose nature is peace and its peace is present not just in the absence of objective experience it's present during objective experience just as the screen remains present during the movie but we lose contact with it when we lose ourselves in the content of experience

      for question - What is peace? - it is rediscovering our background of awareness - we lose it when we get lost in the content of experience

  3. Jul 2024
    1. the information about how bad things have been has not been meaningfully connected to the levers of power there just isn't there's this you know there's been no connection between those two worlds at all um they've sort 00:55:06 of been operating in parallel

      for - climate crisis - disconnect between - levers of power - and information of what is happening

      climate crisis - disconnect between - levers of power - and information of what is happening - there is an abundance of scientific information available to political leaders, yet - they are failing to make the necessary decisions - why?

  4. Jun 2024
    1. how was it that our symbols became so dislocated 00:09:34 from physical uh materiality and the biophysical reality that we've created an economy that's destroying the biosphere

      for - question - Planet Critical podcast - What is the role of language in creating an ecocidal economy?

  5. May 2024
    1. My suggestion is that what is missing

      for - question - missing ingredient of global digital productive network

      question - what is missing ingredient in a global, digital productive network? - fusion of - productive ecosystems - crypto-coordination infrastructure

  6. Apr 2024
    1. Butno matter how the form may vary, the fact that an organism hasconscious experience at all means, basically, that there is somethingit is like to be that organism

      for - earth species project - ESP - Earth Species Project - Aza Raskin - Ernest Becker - Book - The Birth and Death of Meaning

      comment - what is it like to be that other organism? - Earth Species Project is trying to shed some light on that using machine learning processes to decode the communication signals of non-human species - https://jonudell.info/h/facet/?max=100&expanded=true&user=stopresetgo&exactTagSearch=true&any=earth++species+project - https://hyp.is/go?url=http%3A%2F%2Fdocdrop.org%2Fvideo%2FH9SvPs1cCds%2F&group=world

      - In Ernest Becker's book, The Birth and Death of Meaning, Becker provides a summary of the ego from a Freudian perspective that is salient to Nagel's work
          - The ego creates time and humans, occupying a symbolosphere are timebound creatures that create the sense of time to order sensations and perceptions
          - The ego becomes the central reference point for the construct of time
      - If the anthropocene is a problem
      - and we wish to migrate towards an ecological civilization in which there is greater respect for other species, 
          - a symbiocene
      - this means we need to empathize with other species 
      - If our species is timebound but the majority of other species are not, 
          - then we must bridge that large gap by somehow experiencing what it's like to be an X ( where X can be a bat or many other species)
      

      reference - interesting adjacencies emerging from reading a review of Ernest Becker's book: The Birth and Death of Meaning - https://hyp.is/go?url=https%3A%2F%2Fwww.themortalatheist.com%2Fblog%2Fthe-birth-and-death-of-meaning-ernest-becker&group=world

  7. Jan 2024
    1. we hear a lot 00:04:00 of these stories that 'We are nothing but' and so the question of what we are is important and fascinating, but it's not nearly as important as, "What do we do next?"

      for - question - what do we do next? - investigate - why "what do we do next?" is salient

    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

  8. Nov 2023
    1. Ask a scientist what the world is made out of, and he or she may talk about atoms or molecules, or quantum mechanical wave functions, or possibly strings or vacuum fluctuations, depending on the level on which one want to focus. Diverse as those answers may be, they all have in common that they borrow elements from descriptions of building blocks of nature, as used already within contemporary physics. Now propose to a scientist that everything could be seen as `made out of experience', or at least, for starters, as `given in experience.'
      • for: what is the world made of, paradigm shift - scientific ontology

      • question

        • what off the world made of?
      • answer ( Phenomenological)
        • experience!
    1. From this self-critical and controlled reasoning which is applied objectively andmethodically to the world, it makes sure to construct an "objectivity" which transcends the
      • for: adjacency - objectivity - imputation of the other

      • adjacency between

        • objectivity
        • imputation of the other
      • adjacency statement
        • there is a subtle assumption behind objectivity, namely that at least one other consciousness exists which can experience something the phenomena in a sufficiently similar way.
        • this is not a trivial assumption. Consider Thomas Nagel's "What is it like to be a bat?" Another human subject is typically required when "objectivity" is invoked. Certainly a bat could not experience the same phenomena objectively!
        • This also begs the question: to what extent can another human experience the phenomena the same way? We are assuming that two human beings who agree on the objectivity of a fact know what it is like to be the other in some salient way.
    1. for: empathy, self other dualism, symbolosphere, Deep Humanity, DH, othering, What is it like to be a bat?, Thomas Nagel, ingroup outgroup

      • title: What is it Like to be a Bat?
      • author: Thomas Nagel
      • date: Oct 1974

      • comment

        • Forget about what it's like to be a bat, what's it like to be another human!
        • This is a paper that can deepen our understanding of what it means to be empathetic and also its opposite, what it means to participate in othering. In the fragmented , polarized world we live in, these are very important explorations.
        • Insofar as the open source Deep Humanity praxis is focused on exploring the depths of our humanity to help facilitate the great transition through the meaning / meta / poly crisis embroiling humanity, knowing what the "other" means is very salient.

      NOTE - references - for references to any words used in this annotation which you don't understand, please use the tool in the following link to search all of Stop Reset Go's annotations. Chances are that any words you do not understand are explored in our other annotations. Go to the link below and type the word in the "ANY" field to find the annotator's contextual understanding, salience and use of any words used here

      https://jonudell.info/h/facet/?max=100&expanded=true&user=stopresetgo&exactTagSearch=true

    1. the answer to the question what is experience is rather simple my experience is made of the sensations 00:10:43 feelings emotions thoughts and actions that i live instant after instant
      • for: definition, definition of experience, question, question - what is experience?

      • question : experience

        • what use experience?

      definition: experience - it just the sum of the sensations feelings emotions thoughts and actions that i live instant after instant

  9. Oct 2023
    1. Society is a concept that refers to the interactions among the members of a single species, where individuals cooperate with one another to achieve collective objectives that they cannot achieve as individuals .

  10. Aug 2023
  11. Jul 2023
  12. Apr 2023
    1. overview of protocol used for sending mail during the 80s, 90s, and early aughts

    1. Extending the life of electronic products and re-using electrical components brings an even larger economic benefit, as working devices are certainly worth more than the materials they contain. A circular electronics system - one in which resources are not extracted, used and wasted, but re-used in countless ways - creates decent, sustainable jobs and retains more value in the industry.

      This paragraph caught my attention for several reasons. The first is that it was one of the first paragraphs that I actually understood what it was saying. Additionally, it made me feel like I could do something about it. When it said that reusing electrical components are better, it helped me see a clear way that I can direct effect this. Finally, I thought this paragraph was interesting because it talked about creating jobs. This is important to note because more and more people are going to school for something involving technology. This creates jobs for that specific group of people.

  13. Mar 2023
    1. the issues I've always had with it: No support. As in, no one in Google's support organization has any clue about what this app does. No support group discussions as far as I can tell ("Smart Lock" is too generic to really find anything). That's not surprising, because while I've figured out how it works/what it does in my use case, there's really no clear documentation on it - like what it even does, really.
  14. Jan 2023
    1. 个人学习可能取决于他人行为的主张突出了将学习环境视为一个涉及多个互动参与者的系统的重要性
  15. Dec 2022
    1. Imagine what happens when subscribers change activities, interests, or focus. As a result, they may no longer be interested in the products and services you offer. The emails they receive from you are now either ‘marked as read’ in their inbox or simply ignored. They neither click the spam reporting button nor attempt to find the unsubscribe link in the text. They are no longer your customers, but you don’t know it.
  16. Nov 2022
  17. Oct 2022
    1. The Ruby on Rails framework provides a builtin server tool, which you can access with the rails server command. The "rails server" is not an application server by itself, but just a small wrapper that launches your application in an application server. This is why people do not use "rails server" in production. They use an application server – such as Passenger – directly. "rails server" uses Puma by default as of Rails 5.
    1. However, most of the sites featured on Omeka's Showcase and Blog only feature a small number of publications for the purpose of a more focused exhibition, rather than large bibliographies.

      focused exhibition through small ... i don't get it....

  18. Sep 2022
    1. “Internationalization is the design and development of a product, application or document content that enables easy localization for target audiences that vary in culture, region, or language. Localization refers to the adaptation of a product, application or document content to meet the language, cultural and other requirements of a specific target market (a locale).”
    1. First, to clarify - what is "code", what is "data"? In this article, when I say "code", I mean something a human has written, that will be read by a machine (another program or hardware). When I say "data", I mean something a machine has written, that may be read by a machine, a human, or both. Therefore, a configuration file where you set logging.level = DEBUG is code, while virtual machine instructions emitted by a compiler are data. Of course, code is data, but I think this over-simplified view (humans write code, machines write data) will serve us best for now...
  19. May 2022
  20. Mar 2022
    1. mono

      mononucleosis = the presence of an abnormally large number of mononuclear leukocytes, or monocytes, in the blood. - definition pathology

      Mononucleosis is an infectious illness that’s usually caused by the Epstein-Barr virus (EBV). It’s also called mono or “the kissing disease.”

    1. level 1Fatal_Taco · 2 days ago · edited 2 days agoArch Linux, and likely most distros, are defined by these few things and are not limited to:The Linux Kernel, what type of config and modules it's been compiled with.The pre-packaged programs it comes with by default.The init.The package manager.The repositories it references.The slightly differing Linux Filesystem Hierarchy.The types of computers it runs on.
    2. Just like any other distribution, Arch Linux is just a collection of utilities strapped together running Linux kernel under the hood.
    1. ensures active participation
    2. A larger group would limit each student’s participation and make scheduling of regular study sessions a real problem.
    3. your work will just be much more effective.
    4. A study group that is too large is more likely to digress into casual conversation.
    5. take short breaks at least once an hour.
    6. Don’t let a wrong answer be the last thing you wrote on a subject, because you will most likely continue to remember the wrong answer.
    7. reviewing and applying stage of the learning cycle involves studying and using the material you have been exposed to
    8. take the learning cycle to its conclusion and a new beginning.
    9. Effective studying is your most important tool to combat test anxiety,
  21. Feb 2022
    1. "Context" manipulation is one of big topic and there are many related terminologies (academic, language/implementation specific, promotion terminologies). In fact, there is confusing. In few minutes I remember the following related words and it is good CS exam to describe each :p Thread (Ruby) Green thread (CS terminology) Native thread (CS terminology) Non-preemptive thread (CS terminology) Preemptive thread (CS terminology) Fiber (Ruby/using resume/yield) Fiber (Ruby/using transfer) Fiber (Win32API) Generator (Python/JavaScript) Generator (Ruby) Continuation (CS terminology/Ruby, Scheme, ...) Partial continuation (CS terminology/ functional lang.) Exception handling (many languages) Coroutine (CS terminology/ALGOL) Semi-coroutine (CS terminology) Process (Unix/Ruby) Process (Erlang/Elixir) setjmp/longjmp (C) makecontext/swapcontext (POSIX) Task (...)
  22. Dec 2021
  23. Oct 2021
  24. Sep 2021
  25. Jun 2021
    1. "Many North American music education programs exclude in vast numbers students who do not embody Euroamerican ideals. One way to begin making music education programs more socially just is to make them more inclusive. For that to happen, we need to develop programs that actively take the standpoint of the least advantaged, and work toward a common good that seeks to undermine hierarchies of advantage and disadvantage. And that, inturn, requires the ability to discuss race directly and meaningfully. Such discussions afford valuable opportunities to confront and evaluate the practical consequences of our actions as music educators. It is only through such conversations, Connell argues, that we come to understand “the real relationships and processes that generate advantage and disadvantage”(p. 125). Unfortunately, these are also conversations many white educators find uncomfortable and prefer to avoid."

    1. Test we react correctly to any events emitted from child components:
    2. Test any directive that defines if/how child component is rendered (for example, v-if and v-for).
  26. May 2021
    1. what is ozonation?

      what is ozonation. Ozone gas perfect disinfectant and this is used to purify water. Unlike chlorine gas, which leaves harmful residual chlorine gas in the treated water, ozone leaves no harmful residual gases. Any unreacted ozone decomposes to oxygen gas.

  27. Apr 2021
    1. It has two very different meanings, that you would have to distinguish by context. One meaning is just expressing that we have limitations. If you don't know something, that's just tough, you don't know it and you have to live with that. You don't have information if you don't have that information. The other meaning is that not only are there gaps in our knowledge, but often we don't even know what the gaps in our knowledge are. I don't know how to speak Finnish. That's a gap in my knowledge that I know about. I know that I don't know how to speak Finnish. But there are gaps in my knowledge that I'm not even aware of. That's where you can say "You don't know what you don't know" meaning that you don't even know what knowledge you are missing.

      I had this thought too.

    1. How is a pseudoconsole different from a pseudoterminal ?

      I'm guessing that's just a Microsoftism to make it easier to search/find things that are specifically about Microsoft's flavor of pseudoterminal.

      I see they don't use the word "pseudoterminal" at all, but they do mention

      ConPTY, or the Windows PTY

      where PTY is another synonym/name for pseudoterminal. So I think we're safe in saying that this is talking about a pseudoterminal.

    1. In many computing contexts, "TTY" has become the name for any text terminal, such as an external console device, a user dialing into the system on a modem on a serial port device, a printing or graphical computer terminal on a computer's serial port or the RS-232 port on a USB-to-RS-232 converter attached to a computer's USB port, or even a terminal emulator application in the window system using a pseudoterminal device.

      It's still confusing, but this at least helps/tries to clarify.

    1. TTY is right there in the name, but this article makes no attempt to clarify what exactly the relationship between a pseudoterminal and a TTY. I feel like a whole paragraph about the relation to TTY would be warranted, including a link to TTY article, of course, which does link [back] to and explain some of the relation to pseudoterminal:

      In many computing contexts, "TTY" has become the name for any text terminal, such as an external console device, a user dialing into the system on a modem on a serial port device, a printing or graphical computer terminal on a computer's serial port or the RS-232 port on a USB-to-RS-232 converter attached to a computer's USB port, or even a terminal emulator application in the window system using a pseudoterminal device.

  28. Mar 2021
    1. So the question becomes how many tests are enough?
    2. I am a big advocate of having a complete test base and even erring on the side of caution when it comes to quality engineering and software validation but that is not what we’re talking about here. What we’re talking about here are the tests that we write when we’re doing test-first development and I’m proposing that writing those tests from the perspective of specifying the behaviors that we want to create is a highly valuable way of writing tests because it drives us to think at the right level of abstraction for creating behavioral tests and that allow us the freedom to refactor our code without breaking it.
  29. Feb 2021
  30. Dec 2020
  31. Nov 2020
    1. Fallback values aren't used to fix the browser compatibility. If the browser doesn't support CSS custom Properties, the fallback value won't help.
    1. passive: true instructs chrome that no body will call e.preventDefault() so chrome can optimized scrolling just because no body will call e.preventDefault and so there is no need to wait listeners...
    1. will only apply up the chain

      Should this "up the chain" be "down the chain"?

      In terms of a tree, I think of the caller/consumer/thing that imports this file as "up" and the things that I call/import as "down".

      That is more consistent with a tree, but not a stack trace (or any stack), I suppose, which has most recently called thing at the top ("up"), and the consumer of that at the bottom ("down").

  32. Oct 2020
    1. Retagging the HTML/CSS questions to use html-heading seems the right thing to do. For the other uses, I don't have enough grounding in the geographic area to know whether the direction and bearing are replacements for heading. But the tag information for heading should be created and should firmly point at the other tags — at least until it is expunged.
    1. We could broadcast a warning if we find the variable to be set in the environment, but that is more likely than not to annoy people who intentionally set it.

      New tag?: warnings that may annoy people who intentionally do something. (Need a way to selectively silence certain warnings?)

    1. Note that these are not hyperlinks; these URIs are used for identification. This is a machine-readable way to say “this is HTML”. In particular, software does not usually need to fetch these resources, and certainly does not need to fetch the same one over and over!
    1. perhaps, imo this would make more sense. but it would slow down Parcel significantly as packages who don't have a browserslist or something similar will all get compiled (and most packages actually do target commonjs, which makes this prob not such a good idea). Which unfortunately is way too many packages. It would be great if tools like babel actually enforced a similar pattern to Parcel and use browserlist file or package.json instead of allowing defining target env in babel. Or at least not encourage it.
  33. Sep 2020
    1. Three tests to prove a small piece of behavior. Although it might seem overkill for such a small feature, these tests are quick to write—that is, once you know how to write them
  34. eclass.srv.ualberta.ca eclass.srv.ualberta.ca
    1. Tree of Life

      The 'Tree of Life' has been present throughout many cultures and religions across history. It has been known by many different names but the meaning is always a source of life or a creator. The ancient Egyptians, Christians, Myahs, and Assyrians all believed in this 'Tree of Life.'

    1. Customers care more about the value our application adds to their lives than the programming language or framework the application is built with. Visible Technical Debt such as bugs and missing features and poor performance takes precedence over Hidden Technical Debt such as poor test code coverage, modularity or removing dead code
  35. Jul 2020
  36. May 2020
    1. When is your site not built with the Jamstack? Any project that relies on a tight coupling between client and server is not built with the Jamstack.
    1. In natural languages, some apparent tautologies may have non-tautological meanings in practice. In English, "it is what it is" is used to mean 'there is no way of changing it'.[1] In Tamil, vantaalum varuvaan literally means 'if he comes, he will come', but really means 'he just may come'.[2]
  37. Apr 2020
    1. The term "ad hoc" in this context is not intended to be pejorative; it refers simply to the fact that this type of polymorphism is not a fundamental feature of the type system.
  38. Mar 2020
    1. Google Analytics created an option to remove the last octet (the last group of 3 numbers) from your visitor’s IP-address. This is called ‘IP Anonymization‘. Although this isn’t complete anonymization, the GDPR demands you use this option if you want to use Analytics without prior consent from your visitors. Some countris (e.g. Germany) demand this setting to be enabled at all times.
  39. Nov 2019
    1. I should also add that I'm in favor of relying more heavily on integration testing. When you do this, you need to unit test fewer of your simple components and wind up only having to unit test edge cases for components (which can mock all they want).
    1. Often, if you are writing a test that amounts to “it does what it does”, or “it does exactly this, which happens to be duplicated in the application code”, then the test is either unnecessary or too broad.
    2. Here are three rules of thumb I use to determine that something is not worth testing:Will the test have to duplicate exactly the application code? This will make it brittle.Will making assertions in the test duplicate any behavior that is already covered by (and the responsibility of) library code?From an outsider’s perspective, is this detail important, or is it only an internal concern? Can the effect of this internal detail be described using only the component’s public API?
  40. Oct 2019
    1. I had to upgrade my other project from Webpack 2 / Angular 5 to Webpack 4/Angular 7 and it was a complete nightmare! I lost a ton of hours and can't really justify charging my client for the weeks worth of time to figure it out.
  41. Sep 2019
    1. MobX as a data flow library, that enables you to roll your own state management architecture with minimal effort
  42. Feb 2019
    1. rejection of knowledge derived from either testimony or revelation.

      I understand this is only a cursory remark about his positions, but the idea seems off to me. I can "know" my kids loves me when she says so. I can "know" my father died when my brother calls to tell me. Why can't I "know" something spiritual that I learn in the same way? The nature of the knowledge (spiritual or otherwise) does not change the method of knowing.

  43. Jan 2018
    1. Silence is the lack of audible sound or presence of sounds of very low intensity.

      silent

    1. henwestudyanobject,formalizingourobservationsinlanguage,wegenerateasetofcarefullyselectednouns,adjectives,adverbs,prepositions,andverbswhicheffectivelydeterminetheboundsofpossibleinterpretation.Thisiswhythewordswechooseinsayingwhatweseehavesuchfarreachingimportance.Itisoutofourparaphraseofwhatweseethatallinterpretationgrows

      I am applying the "What is a Machete, Anyway" as my supplemental text and the main idea of that article is expressing how there are various interpretations of what a Machete is actually. Some people see it as a tool while others see it as a weapon. Everyone's view on a particular object is not the same because of cultural differences. In the article, Cline says himself, "the machete bears an unusual character. It’s possible to conceive of it as a weapon, yes, but it’s also very much a tool — not altogether different from, say, a shovel."

    2. thepossibilitiesarevirtuallylimitless-especiallyconsideringthatnotwoindividualswillreadagivenobjectinthesameway

      In relations to the "What is a Machete, Anyway" article where the machete can be described as a weapon but also as a tool, relates to this specific line in terms of how people look at objects differently.

    1. But the machete bears an unusual character. It’s possible to conceive of it as a weapon, yes, but it’s also very much a tool—not altogether different from, say, a shovel. It’s possible that Wilson is just a stunted adolescent who never grew out of buying switchblades and throwing stars when the carnival comes to town, but the ease with which “tool” becomes “weapon” in the eyes of the law is remarkable.

      As related to the primary text, the interpretations of what a machete is defined as can be viewed differently from all aspects. From a law standpoint, they see the machete as a weapon because it is a sharp object but others see it as a tool because it can be compared to a table saw or an ax.

    2. Machete

      What is a "Machete"? In my opinion a machete is a tool because tools can also be defined as weapons if they are used in an aggressive/deadly manner. For an example, a hammer is a tool but may also be used to harm someone.

    3. “full size” machete.

      Are there miniature machetes? But wouldn't a small machete be considered a knife?

    4. the machete has a special place in the labor history of Florida, where for three and a half centuries slaves and wageworkers cut sugarcane in the fields by hand. Indeed, machetes are unique to the extent that they have always been used for both purposes—and not just as a plot device in horror flicks, either.

      The machete can be used for various reasons. Many people use it in an ax-like manner to cut things down because that is how their cultural history used the "weapon/tool". I personally carry a pocket knife for various reasons. My main reason is for cutting open things in my art class (used as a tool) but I also carry it for protection because I have night classes (weapon). I don't believe you can say what a machete actually is because there are multiple uses for it.

    5. I quickly realized from the descriptions that a machete was essentially the same thing as a “corn knife.”

      This goes back to the primary researches statement of culture having an affect on how people see objects. Some cultures use machetes as actual tools i.e the "corn knife" while others see it as a weapon because they have seen it being used in that way.

  44. Oct 2017
    1. He calls for more thoughtful engagement with the notion not so much of making things, but of fixing them, repurposing them in their diminishment and dismantlement—not of making new, but of making do, and of thereby engaging what he calls ‘an ethics of mutual care’—with each other, the world around us, and with the (quite literal) objects of our affection (Jackson, 2013, p. 231). This is a source, he says, of ‘resilience and hope’ and it’s a way of being in space and time that has deep feminist roots (Jackson, 2013, p. 237).

      My initial thoughts were: sustainability, repurposing, upcycling. And yes, I agree that there is a resilience and hope in that. How Jackson made the leap to 'feminist roots' is not clear to me. Page 11 of this PDF goes into more detail: https://sjackson.infosci.cornell.edu/RethinkingRepairPROOFS(reduced)Aug2013.pdf.

      After reading this PDF, I think he is saying that this idea of sustainability and repurposing or 'an ethics of mutual care' can be sourced back to feminist scholarship that came about in the '70s through the '90s'. Unfortunately, I can't see any deeper meaning than that or why this must be feminist in nature and not simply human nature. Why gender comes into this, I do not know. But then again, perhaps my understanding of what it is to be feminist is flawed?

    1. Emotion is an important factor in literary works. It is the motive force of creation, the yeast of imagination and the element of artistic charm. Therefore, all literature and art activities are inseparable from emotion. In a sense, there is no art without emotion

  45. Jan 2017
    1. until black women on social media began calling out the press for ignoring the story. Many reached for one word — ‘‘erasure’’ — for what they felt was happening. ‘‘Not covering the #Holtzclaw verdict is erasing black women’s lives from notice,’’ one woman tweeted. ‘‘ERASURE IS VIOLENCE.’’ Deborah Douglas, writing for Ebony magazine, argued that not reporting on the case ‘‘continues the erasure of black women from the national conversation on race, police brutality and the right to safety.’’

      black women are being erased from the discussion. Race in general plays a role on how much a topic is spoken about. This case was not even mentioned or discussed until black women started the talk.