394 Matching Annotations
  1. Last 7 days
    1. By having a longer historical view, it actually tends to extend our time horizons in both directions. So, by thinking more about the past, it sets us up to think more about a long-term future and to challenge ourselves to think more expansively and ambitiously about what might come by having the sense of a wider aperture to think about rather than just thinking about the here and now or what’s coming out in the next cycle.
  2. Feb 2024
    1. The purported reason seems to be the claim that some people find "master" offensive. (FWIW I'd give that explanation more credence if the people giving it seem to be offended themselves rather than be offended on behalf of someone else. But whatever, it's their repo.)
    1. I'm not sure if I should write it in the answer directly, but I could also say that when an OP simply rolls back an edit without preemptively stating any reasoning in a comment etc., that tends to create the impression that OP is misguidedly claiming "ownership" of the content or feels entitled to reject changes without needing a reason.
    1. "There is a large literature relating to twins in their purely surgical and physiological aspect. The reader interested in this should consult Die Lehre von den Zwillingen, von L. Kleinwächter, Prag. 1871. It is full of references, but it is also unhappily disfigured by a number of numerical misprints, especially in page 26. I have not found any book that treats of twins from my present point of view."

    1. mid-twentieth century, Josef Müller-Brockmann and Paul Randconnected design methodologies to the world of business
    2. El Lissitzky, whose posters, books, and exhibitions are amongthe most influential works of twentieth-century design, had a huge impact
    3. scholar and designer Helen Armstrong,

      https://helenarmstrong.info

      She was "emerging" in 2006 when this was written, nearly 20 years ago. She's still a working professor with interesting projects.

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

    1. I used to treat my personal website like a content marketer, every post carefully crafted to attract leads that could improve my career or get freelance opportunities. However, it robbed me of a lot of joy. Now, I treat my personal website as my “digital home hub”. I’m much happier as a result.
  4. Dec 2023
    1. With specific keyword messages you can compute the Least Common Multiple and Greatest Common Divisor. A keyword message is composed of one or more colons “:” to insert one or more arguments:

      A source of confusion for beginners is why binary messages exist in the first place when they could be implemented instead as keyword messages taking one argument as #lcm: and #gcd:; you could in fact, imagine an alternative syntax with only unary and keyword messages, but it would be cumbersome to read and write. Binary messages improve legibility without introducing too much complexity for the implementors.

    1. Kickstarter will not let me promise rewards within the same month, but the files will be sent to backers soon after the campaign ends.
    1. graph Laplacian

      The Laplacian operator is a linear operator that measures how much a function varies over a simplicial complex. The eigencochains of the Laplacian operator are functions that have a special relationship with the Laplacian operator.

  5. Nov 2023
    1. One of the primary problems with note taking in most of the mid-twentieth century (and potentially well before, particularly as framed in most educational settings) was that students would take notes, potentially review them once or twice for a test, but then not have easy access to them for later review or reuse.

      People collected piles of notes without any ability to reuse or review them. Perhaps we should reframe the collector's fallacy as this: collection without reuse has dramatically decreasing returns. Certainly there may be some small initial benefit in writing it down as a means of sense making, but not reviewing it past a short period of two weeks or even several months and not being able to reuse it in the long term is a travesty, especially in a world of information overload.

  6. Oct 2023
    1. (Weight W1) (Rope Rp) (Rope Rq) (Pulley Pa) (hangs W1 from Rp) (pulley-system Rp Pa Rq) (Weight W2) (hangs W2 from Rq) (Rope Rx) (Pulley Pb) (Rope Ry) (Pulley Pc) (Rope Rz) (Rope Rt) (Rope Rs) (Ceiling c) (hangs Pa from Rx) (pulley-system Rx Pb Ry) (pulley-system Ry Pc Rz) (hangs Pb from Rt) (hangs Rt from c) (hangs Rx from c) (hangs Rs from Pc) (hangs W2 from Rs) (value W1 1) (b) P1. P2. P3. P4. .. Single-string support. (weight < Wx>) (rope <Ry >) (value <Wx> <n>) (hangs <Wx> <Ry>) -(hangs <Wx> <Rx>) - (value <Ry> <W-number>) Ropes over pulley. (pulley <P>) (rope <R1>) (rope <R2>) (pulley-system <R1 > <P> <R2>) (value <R1> <nl>) - (value <R2> <nl>) Rope hangs from or supports pulley. (pulley <R1>) (rope <R1>) (rope R2>) (pulley-system <R1> <P> <R2>) { (hangs <R3> from <P>) or (hangs <P> from <R3>) } (value <R1> <nl>) (value <R2> <n2>) - (value <R3> <nl + <n2>) Weight and multiple supporting ropes. (weight <W1 >) (rope <R1 >) (rope R2>) (hangs <W1> <Rl>) (hangs <W1> <R2>) -(hangs <W1> <R3>) (value <R1> <nl>) (value <R2> <n2>) - (value <W1> <nl> + <n2>) P2. Ropes over pulley. If a pulley system < P> has two ropes < RI > and < R2> over it, and the value (tension) associated with < RZ > is < nl > , then < nl > is also the value associated with rope < RZ > . P3. Rope hangs from or supports pulley. If there is a pulley system with ropes < RZ > and < R2> over it, and the pulley system hangs from a rope < R3 > , and c R1> and < R2 > have the values (tensions) < nl > and < n2 > associated with them, then the value (tension) associated with < R3 > is the sum of < nl > plus <n2>.

      Please explain to me how it is not evident to programmers that this is how we program.. we cannot hold more than seven items at a time. We cannot fracture. As Miller mentioned, 2 3 digit numbers are outside t capacity, but if you multiply them by paper w, if we free your memory, we can let the brain focus on the v

      If you assign the memory function to a diagram, you can let your brain concentrate on the manipulation function.

      Once we codify, we no longer have to keep the information in memory, for example : This hurts my brain

      There are five roads in Brown County. One runs from Abbeville to Brownsville by way of Clinton. One runs from Clinton to Derbyshire by way of Fremont. One runs from Fremont to Brownsville by way of Abbieville. That's all the roads in Brown County, and all the roads in and out of those towns.

      Which towns have roads connecting them directly to three other towns? Which towns have roads connecting them directly to only two other towns? How many towns must you pass through to get from Brownsville to Derbyshire?

      But if we diagram it to a map, all of this makes sense.

      "The learning of numbers and language must be subordinated ... Visual understanding is the essential and only valid means of teaching how to judge things correctly." ~ Johann Heinrich Pestalozzi

      Pestalozzi was the guy who designed the educational system in which Einstein, the most extraordinary visualization of his time, was born q

  7. Sep 2023
    1. Often I don't care to be persuaded or deeply accept and understand an author's perspective, but I still value the information they assemble to support their narrative or argument. This is something that happens quite a bit for me, where I gain lots of really valuable historical background and data from articles or monographs whose interpretation I am never going to buy.

      Sometimes one reads for raw information and background details that one can excerpt or use--things which an author may use to support their own arguments, but which the reader doesn't care about at all.

    1. I don't know why I can't do Evergreen and Atomic Notes.. .t3_16r8k0b._2FCtq-QzlfuN-SwVMUZMM3 { --postTitle-VisitedLinkColor: #9b9b9b; --postTitleLink-VisitedLinkColor: #9b9b9b; --postBodyLink-VisitedLinkColor: #989898; }

      reply to u/SouthernEremite at https://www.reddit.com/r/Zettelkasten/comments/16r8k0b/i_dont_know_why_i_cant_do_evergreen_and_atomic/

      If you're not using your notes to create or write material and only using them as a form of sensemaking, then perhaps you don't need to put as much work or effort into the permanent notes portion of the work? Ask yourself: "Why are you taking notes? What purpose do they serve?" Is the form and level you're making them in serving those purposes? If not, work toward practicing to make those two align so that your notes are serving an actual purpose for you. Anything beyond this is make-work and you could spend your time more profitably somewhere else.

    1. Why did the chicken cross the road?

      To get to his zettelkasten on the other side!

      But when he got there, he realized he had forgotten the slip of paper with his perfect evergreen note. So the chicken crossed the road once again to retrieve it. But almost as if it were a jokerzettel, on the way back, a gust of wind blew the slip right out of the chicken's beak!

      The chicken tried to catch the runaway slip, but it kept evading him. He chased that slip all over the farm--through the pig sty, over fences, around the grain silo.

      Finally, exhausted but triumphant, the chicken caught the slip and carefully filed it away.

      Moral of the story: Don't count your slips before they're indexed!

    2. Q: Why did the zettelkasten cross the road?

      A: It didn't because Barbara Tuchman, Nicholas Luhmann, Jacques Goutor, Johannes Erich Heyde, and Keith Thomas all recommend only writing on one side.

    1. You can no longer create accounts with Yahoo domains other than "@yahoo.com",
    2. I'm curious: what is the reason for Yahoo discontinuing the "@ymail.com" domain?I'm aware that there's now a 2nd domain option available, "@myyahoo.com", and I recently took advantage of that to create a new address. But "@ymail.com" honestly looks more appealing to me than either of the "yahoo" iterations.
  8. Aug 2023
    1. In fact, it might be good if you make your first cards messy and unimportant, just to make sure you don’t feel like everything has to be nicely organized and highly significant.

      Making things messy from the start as advice for getting started.

      I've seen this before in other settings, particularly in starting new notebooks. Some have suggested scrawling on the first page to get over the idea of perfection in a virgin notebook. I also think I've seen Ton Ziijlstra mention that his dad would ding every new car to get over the new feeling and fear of damaging it. Get the damage out of the way so you can just move on.

      The fact that a notebook is damaged, messy, or used for the smallest things may be one of the benefits of a wastebook. It averts the internal need some may find for perfection in their nice notebooks or work materials.

    1. The object appears to be to keep the child off the labormarket and to detain him in comparatively sanitary surround-ings until we are ready to have him go to work.

      ouch!

    Tags

    Annotators

    1. Zettelkasten for Normies: What Normies Really Need to Know .t3_15sqiq2._2FCtq-QzlfuN-SwVMUZMM3 { --postTitle-VisitedLinkColor: #9b9b9b; --postTitleLink-VisitedLinkColor: #9b9b9b; --postBodyLink-VisitedLinkColor: #989898; }

      reply to u/SunghoYahng at https://www.reddit.com/r/Zettelkasten/comments/15sqiq2/zettelkasten_for_normies_what_normies_really_need/

      u/SunghoYahng, some of your article sounds like a pared down digital version of a commonplace book which allows for links, so it fits into the older zettelkasten tradition, just not into the more Luhmann-artig version on which this subreddit is generally more focused. Perhaps yours is closer to a digital version of the analog commonplace using index cards that Billy Oppenheimer describes having learned from Ryan Holiday and Robert Greene?

      Often people focus too much on Luhmann's prodigious output and then immediately imply or say you should adopt his very specific system without describing what his system did or why it worked so well for him and his particular needs. Very few focus on what it is that they want to accomplish and how they might use his system or the thousands of variations on it throughout history to come to those goals as quickly and easily as they can.

      You commit a version of this sin in your opening lines:

      The content about Zettelkasten is mostly too long and practically useless. The purpose of this text is to write only what normies really need to know.

      Who are these so-called "normies" and what specifically are they trying to accomplish? You don't define either of them, and possibly worse do it in a negative framing. The system you're describing might be a great one, but for whom? What do you expect them to use it for? What will they get out of it?

      Many people talk about the "magic" of a zettelkasten and then wave their hands at some version of a workflow of what they think it is or what they think it should be. Perhaps what we all really need is a list of potential affordances that different methods allow and how one might leverage those affordances. How might they be mixed and matched? Then users can decide what outcomes they wish to have (writing, thinking, aggregation, bookmarking, collecting, creativity, artificial memory, serendipity, productivity, wiki, spaced repetition, learning, time wasting, etc., etc.) and which affordances are necessary within their workflow/system to effectuate those specific goals? Finally they can pick and choose a specific version of a methodology/workflow and either an analog substrate (index cards, notebooks, memory palace, etc.) or digital tool/application (Obsidian, Roam Research, The Archive, etc.) to save it all in. Of course once you've chosen that analog or digital tool, does it actually have the affordances you want or need in actual practice? Are they easy to use? Practical? Do they save you time? Are they simple or over-engineered? What happens when they scale to a year of regular use or even a lifetime?

      As a simple example, many writers would love a seriously good outliner functionality in their system to pull out the materials they want to work with and then appropriately order them for a potential final written output. In practice, index cards on a big table are fantastic for this process while most (all?) current digital tools are miserable at it. And of course once you've gotten the outline you like in an analog space you have to type it all out to print/publish in a final form, something which the digital affordance of cut and paste would make much simpler. Who wouldn't love a tool that could give you all of these affordances, presuming you needed them?

      While we're on outlining, very few talk about the ease-of-use that some professional outliners like Dave Winer's Drummer or Little Outliner have versus some of the more text-editing focused tools like Obsidian which are generally poor as outliners (if you could even call them that) in comparison.

      If you're interested in folgezettel and outlining, you might appreciate some subtleties in Bob's piece: https://writing.bobdoto.computer/folgezettel-is-not-an-outline-luhmanns-playful-appreciation-of-disfunction/

      cross reference https://hypothes.is/a/OhcWSjxyEe6V8DP9P6WNQQ

  9. Jul 2023
    1. Tell future-you why you did that thing; they can read but don't know what you intended. Oral tradition is like never writing state to disk; flush those buffers.
    1. But I would do less than justice to Mr. Adler's achieve-ment if I left the matter there. The Syntopicon is, in additionto all this, and in addition to being a monument to the indus-try, devotion, and intelligence of Mr. Adler and his staff, astep forward in the thought of the West. It indicates wherewe are: where the agreements and disagreements lie; wherethe problems are; where the work has to be done. It thushelps to keep us from wasting our time through misunder-standing and points to the issues that must be attacked.When the history of the intellectual life of this century iswritten, the Syntopicon will be regarded as one of the land-marks in it.

      p xxvi

      Hutchins closes his preface to his grand project with Mortimer J. Adler by giving pride of place to Adler's Syntopicon.

      Adler's Syntopicon isn't just an index compiled into two books which were volumes 2 and 3 of The Great Books of the Western World, it's physically a topically indexed card index of data (a grand zettelkasten surveying Western culture if you will). It's value to readers and users is immeasurable and it stands as a fascinating example of what a well-constructed card index might allow one to do even when they don't have their own yet.

      Adler spoke of practicing syntopical reading, but anyone who compiles their own card index (in either analog or digital form) will realize the ultimate value in creating their own syntopical writing or what Robert Hutchins calls participating in "The Great Conversation" across twenty-five centuries of documented human communication.

      See also: https://hypothes.is/a/WF4THtUNEe2dZTdlQCbmXw


      The way Hutchins presents the idea of "Adler's achievement" here seems to indicate that Hutchins didn't have a direct hand in compiling or working on it directly.

  10. Jun 2023
    1. The Zettelkasten method aims to help you forget.

      I would argue that it is more subtle than this. It allows you to forget, but the aim is to allow you to learn, remember, and slowly build.

  11. May 2023
    1. “Why do we need to learn [this]?” where [this] is whatever I happened to be struggling with at the time.  Unfortunately for everyone, this question – which should always elicit a homerun response from the teacher

      The eternal student question, "Why do we need to learn this?" should always have a fantastic answer from their teachers.

    1. of course I had done a lot of thinking even before I ever used a ZK, but now I can record, retrieve, and elaborate these thoughts easily so that they accumulate over time to something bigger. Now, writing a paper or grant proposal often comes down to concatenating a bunch of notes.
    1. "[What] I like about the [zettlekasten] system is that it's a constant reminder to to make up your mind and to specify what you what you're thinking."<br /> —Sönke Ahrens, [Tinderbox Meetup - May 7, 2023 00:30:36]

    1. Writing permanent notes was time consuming as f***.

      The framing of "permanent notes" or "evergreen notes" has probably hurt a large portion of the personal knowledge management space. Too many people are approaching these as some sort of gold standard without understanding their goal or purpose. Why are you writing such permanent/evergreen notes? Unless you have an active goal to reuse a particular note for a specific purpose, you're probably wasting your time. The work you put into the permanent note is to solidify an idea which you firmly intend to reuse again in one or more contexts. The whole point of "evergreen" as an idea is that it can actively be reused multiple times in multiple places. If you've spent time refining it to the nth degree and writing it well, then you had better be doing so to reuse it.

      Of course many writers will end up (or should end up) properly contextualizing individual ideas and example directly into their finished writing. As a result, one's notes can certainly be rough and ready and don't need to be highly polished because the raw idea will be encapsulated somewhere else and then refined and rewritten directly into that context.

      Certainly there's some benefit for refining and shaping ideas down to individual atomic cores so that they might be used and reused in combination with other ideas, but I get the impression that some think that their notes need to be highly polished gems. Even worse, they feel that every note should be this way. This is a dreadful perspective.

      For context I may make 40 - 60 highlights and annotations on an average day of reading. Of these, I'll review most and refine or combine a few into better rougher shape. Of this group maybe 3 - 6 will be interesting enough to turn into permanent/evergreen notes of some sort that might be reused. And even at this probably only one is interesting enough to be placed permanently into my zettelkasten. This one will likely be an aggregation of many smaller ideas combined with other pre-existing ideas in my collection; my goal is to have the most interesting and unique of my own ideas in my permanent collection. The other 2 or 3 may still be useful later when I get to the creation/writing stage when I'll primarily focus on my own ideas, but I'll use those other rougher notes and the writing in them to help frame and recontextualize the bigger ideas so that the reader will be in a better place to understand my idea, where it comes from, and why it might be something they should find interesting.

      Thus some of my notes made while learning can be reused in my own ultimate work to help others learn and understand my more permanent/evergreen notes.

      If you think that every note you're making should be highly polished, refined, and heavily linked, then you're definitely doing this wrong. Hopefully a few days of attempting this will disabuse you of the notion and you'll slow down to figure out what's really worth keeping and maintaining. You can always refer back to rough notes if you need to later, but polishing turds is often thankless work. Sadly too many misread or misunderstand articles and books on the general theory of note taking and overshoot the mark thinking that the theory needs to be applied to every note. It does not.

      If you find that you're tiring of making notes and not getting anything out of the process, it's almost an assured sign that you're doing something wrong. Are you collecting thousands of ideas (bookmarking behavior) and not doing anything with them? Are you refining and linking low level ideas of easy understanding and little value? Take a step back and focus on the important and the new. What are you trying to do? What are you trying to create?

    1. Why are folks so obsessed with notes per day? Perhaps a proxy for toxic capitalism and productivity issues? Is the number of notes the best measure or the things they allow one to do after having made them? What is the best measure? Especially when there are those who use them for other purposes like lecturing, general growth, knowledge acquisition, or even happiness?

  12. Apr 2023
    1. Without variation on given ideas, there are no possibilities of scrutiny and selection of innovations. Therefore, the actual challenge becomes generating incidents with sufficiently high chances of selection.

      The value of a zettelkasten is as a tool to actively force combinatorial creativity—the goal is to create accidents or collisions of ideas which might have a high chance of being discovered and selected for.

    1. Why do so many businesses share their data openly, for free? Most often, the answer is scale. As companies grow, the staff within those companies realize they have more ideas than they have the time and resources to develop them. It’s typically easier to work with other external companies that specialize in these ideas than build them in-house. By creating APIs, a company allows third-party developers to build applications that improve adoption and usage of its platform. That way, a business can build an ecosystem that becomes dependent on the data from their API, which often leads to additional revenue opportunities.
  13. Mar 2023
    1. zettelkasten

      (free of this context, but I need somewhere just to place this potential title/phrase...)

      Purpose Driven Zettelkasten

    1. By looking at practices of note-taking for their ownsake we can get a better idea of how people performed intellectual work in the past, what caughttheir attention and how they moved from reading to producing a finished work, often via note-taking.
    1. "Personal Knowledge Management Is Bullshit"

      reply to jameslongley at https://forum.zettelkasten.de/discussion/2532/personal-knowledge-management-is-bullshit

      I find that these sorts of articles against the variety of practices have one thing in common: the writer fails to state a solid and realistic reason for why they got into it in the first place. They either have no reason "why" or, perhaps, just as often have all-the-reasons "why", which may be worse. Much of this is bound up in the sort of signaling and consumption which @Sascha outlines in point C (above).

      Perhaps of interest, there are a large number of Hypothes.is annotations on that original article written by a variety of sense-makers with whom I am familiar. See: https://via.hypothes.is/https://www.otherlife.co/pkm/ Of note, many come from various note making traditions including: commonplace books, bloggers, writers, wiki creators, zettelkasten, digital gardening, writers, thinkers, etc., so they give a broader and relatively diverse perspective. If I were pressed to say what most of them have in common philosophically, I'd say it was ownership of their thought.

      Perhaps it's just a point of anecdotal evidence, but I've been noticing that who write about or use the phrase "personal knowledge management" are ones who come at the space without an actual practice or point of view on what they're doing and why—they are either (trying to be) influencers or influencees.

      Fortunately it is entirely possible to "fake it until you make it" here, but it helps to have an idea of what you're trying to make.

    1. Because then we have a world in which grown men, sipping tea, posit thought experiments about raping talking sex dolls, thinking that maybe you are one too.
  14. Feb 2023
    1. I find it very tiring haha. As I said in another comment, processing a single chapter can take me a full day or two. However, I keep reminding myself that I would rather spend a day processing a chapter well, and have literature notes to serve me a lifetime (potentially, at least), rather than reading a chapter in two hours and not remember a single thing the next day. When I REALLY need a reminder of this, I just look at my "Backlog" folder which contains old "notes" that are now pretty much useless: I didn't use a reference manager consistently during my first two years of PhD so there are a lot of citations which are unreliable; I didn't really summarise texts, I only read them and highlighted; I didn't use the cloud for a long time, so I lost a lot of notes; and I didn't have Obsidian, so a lot of my notes are just contained within the context of the place I read them, rather than being connected. Seeing three years worth of useless materials, and knowing that I read a couple hundred of articles/chapters but I have nothing to show for it, that makes me more patient when writing my literature notes now. However I also find it very exciting that I can future-proof some of my notes. I feel like I'm working for my future self.

      A partial answer to note taking why.

    1. “These cards are the tools of his trade. He can take any speech and insert some of these zingers and one-liners. Let’s say he’s speaking to a Kiwanis Club. He knew what to put in. If he was talking to a group of firemen, he had a joke about putting out a fire. If you’re really looking for the hand of a president, and how his mind is working, all of these note cards together, in a way, give you the magic of Ronald Reagan.”
    1. Deutsch’s index was created out of an almost algorith-mic processing of historical sources in the pursuit of a totalized and perfect history of theJews; it presented, on one hand, the individualized facts, but together also constitutedwhat we might term a ‘history without presentation’, which merely held the ‘facts’themselves without any attempt to synthesize them (cf. Saxer, 2014: 225-32).

      Not sure that I agree with the framing of "algorithmic processing" here as it was done manually by a person pulling out facts. But it does bring out the idea of where collecting ends and synthesis of a broader thesis out of one's collection begins. Where does historical method end? What was the purpose of the collection? Teaching, writing, learning, all, none?

    1. The second purpose of skip connections is specific to transformers — preserving the original input sequence.
    1. Discolored doesn't answer any questions like why the color is gone, why it's your job to fix them or how you even can, or why the player should even care about fixing the color; Discolored just tells you to do it.
    1. https://cathieleblanc.com/2023/02/05/choosing-learning-materials/

      Cathie notices that students skip materials about the theoretical "why" of assignments to get to the simpler assignments.

      This seems to be an issue with some in the personal knowledge management space who want to jump into the technology, the terminology, and moving things about without always understanding what they're doing or why. Many end up giving up as a result. Few books provide reasoning behind the terminologies or building blocks they describe to provide the theoretical why. As a result some may figure it out from long, fraught practice, but it's likely that more are not seeing the results they expect and thus giving up.

    1. According to Shulman, "Cargo-cult is a belief that mock airplanes made of manure and straw-bale may summon the real airplanes who bring canned beef. Reverse cargo-cult is used by the political elites in countries lagging behind who proclaim that, in the developed world, airplanes are also made of manure and straw-bale, and there is also a shortage of canned beef."[29]

      "Екатерина Шульман: Практический Нострадамус, или 12 умственных привычек, которые мешают нам предвидеть будущее". vedomosti/ (in Russian). Retrieved 24 June 2021.


      A Note on the Cargo Cult of Zettelkasten

      Modern cargo cults can be seen in many technology and productivity spaces where people are pulled in by exaggerated (or sometimes even real claims) of productivity or the general "magic" of a technology or method.

      An example is Niklas Luhmann's use of his zettelkasten which has created a cargo cult of zettelkasten aspirants and users who read one or more of the short one page blog posts about his unreasonable productivity and try to mimic it without understanding the system, how it works, or how to make it work for them. They often spend several months collecting notes, and following the motions, but don't realize the promised gains and may eventually give up, sometimes in shame (or as so-called "rubbish men") while watching others still touting its use.

      To prevent one's indoctrination into the zettelkasten cult, I'll make a few recommendations:

      Distance yourself from the one or two page blog posts or the breathless YouTube delineations. Ask yourself very pointedly: what you hope to get out of such a process? What's your goal? Does that goal align with others' prior uses and their outcomes?

      Be careful of the productivity gurus who are selling expensive courses and whose focus may not necessarily be on your particular goals. Some are selling very pointed courses, which is good, while others are selling products which may be so broad that they'll be sure to have some success stories, but their hodge-podge mixture of methods won't suit your particular purpose, or worse, you'll have to experiment with pieces of their courses to discover what may suit your modes of working and hope they'll suffice in the long run. Some are selling other productivity solutions for task management like getting things done (GTD) or bullet journals, which can be a whole other cargo cults in and of themselves. Don't conflate these![^1] The only thing worse than being in a cargo cult is being in multiple at the same time.

      If you go the digital route, be extremely wary of shiny object syndrome. Everyone has a favorite tool and will advocate that it's the one you should be using. (Often their method of use will dictate how much they love it potentially over and above the affordances of the tool itself.) All of these tools can be endlessly configured, tweaked, or extended with plugins or third party services. Everyone wants to show you their workflow and set up, lots of which is based on large amounts of work and experimentation. Ignore 99.999% of this. Most tools are converging to a similar feature set, so pick a reasonable one that seems like it'll be around in 5 years (and which has export, just in case). Try out the very basic features for several months before you change anything. Don't add endless plugins and widgets. You're ultimately using a digital tool to recreate the functionality of index cards, a pencil, and a box. How complicated should this really be? Do you need to spend hundreds of hours tweaking your system to save yourself a few minutes a year? Be aware that far too many people touting the system and marketers talking about the tools are missing several thousands of years of uses of some of these basic literacy-based technologies. Don't join their island cult, but instead figure out how the visiting culture has been doing this for ages.[^2] Recall Will Hunting's admonition against cargo cults in education: “You wasted $150,000 on an education you coulda got for $1.50 in late fees at the public library.”[^3]

      Most people ultimately realize that the output of their own thinking is only as good as the inputs they're consuming. Leverage this from the moment you begin and ignore the short bite-sized advice for longer form or older advice from those with experience. You're much more likely to get more long term value out of reading Umberto Eco or Mortimer J. Adler & Charles van Doren[^4] than you are an equivalent amount of time reading blog posts, watching YouTube videos, or trolling social media like Reddit and Twitter.

      Realize that reaching your goal is going to take honest-to-goodness actual work, though there is potential for fun. No matter how shiny or optimized your system, you've still got to do the daily work of reading, watching, listening and using it to create anything. Focus on this daily work and don't get sidetracked by the minutiae of trying to shave off just a few more seconds.[^5] In short, don't get caught up in the "productivity porn" of it all. Even the high priest at whose altar they worship once wrote on a slip he filed:

      "A ghost in the note card index? Spectators visit [my office to see my notes] and they get to see everything and nothing all at once. Ultimately, like having watched a porn movie, their disappointment is correspondingly high." —Niklas Luhmann. <small>“Geist im Kasten?” ZKII 9/8,3. Niklas Luhmann-Archiv. Accessed December 10, 2021. https://niklas-luhmann-archiv.de/bestand/zettelkasten/zettel/ZK_2_NB_9-8-3_V. (Personal translation from German with context added.)</small>


      [^1] Aldrich, Chris. “Zettelkasten Overreach.” BoffoSocko (blog), February 5, 2022. https://boffosocko.com/2022/02/05/zettelkasten-overreach/.

      [^2]: Blair, Ann M. Too Much to Know: Managing Scholarly Information before the Modern Age. Yale University Press, 2010. https://yalebooks.yale.edu/book/9780300165395/too-much-know.

      [^3]: Good Will Hunting. Miramax, Lawrence Bender Productions, 1998.

      [^4]: Adler, Mortimer J., and Charles Van Doren. How to Read a Book: The Classic Guide to Intelligent Reading. Revised and Updated edition. 1940. Reprint, New York: Simon & Schuster, 1972.

      [^5]: Munroe, Randall. “Is It Worth the Time?” Web comic. xkcd, April 29, 2013. https://xkcd.com/1205/.


      Recommended resources

      Choose only one of the following and remember you may not need to read the entire work:

      Ahrens, Sönke. How to Take Smart Notes: One Simple Technique to Boost Writing, Learning and Thinking – for Students, Academics and Nonfiction Book Writers. Create Space, 2017.

      Allosso, Dan, and S. F. Allosso. How to Make Notes and Write. Minnesota State Pressbooks, 2022. https://minnstate.pressbooks.pub/write/.

      Bernstein, Mark. Tinderbox: The Tinderbox Way. 3rd ed. Watertown, MA: Eastgate Systems, Inc., 2017. http://www.eastgate.com/Tinderbox/TinderboxWay/index.html.

      Dow, Earle Wilbur. Principles of a Note-System for Historical Studies. New York: Century Company, 1924.

      Eco, Umberto. How to Write a Thesis. Translated by Caterina Mongiat Farina and Geoff Farina. 1977. Reprint, Cambridge, MA, USA: MIT Press, 2015. https://mitpress.mit.edu/books/how-write-thesis.

      Gessner, Konrad. Pandectarum Sive Partitionum Universalium. 1st Edition. Zurich: Christoph Froschauer, 1548.

      Goutor, Jacques. The Card-File System of Note-Taking. Approaching Ontario’s Past 3. Toronto: Ontario Historical Society, 1980. http://archive.org/details/cardfilesystemof0000gout.

      Sertillanges, Antonin Gilbert, and Mary Ryan. The Intellectual Life: Its Spirit, Conditions, Methods. First English Edition, Fifth printing. 1921. Reprint, Westminster, MD: The Newman Press, 1960. http://archive.org/details/a.d.sertillangestheintellectuallife.

      Webb, Sidney, and Beatrice Webb. Methods of Social Study. London; New York: Longmans, Green & Co., 1932. http://archive.org/details/b31357891.

      Weinberg, Gerald M. Weinberg on Writing: The Fieldstone Method. New York, N.Y: Dorset House, 2005.

  15. Jan 2023
    1. Do not separate numbers from letters on symbols, methods and variables.

      Okay... Why not?

    1. https://www.imdb.com/title/tt11534762/

      The Good Fight S4 E5 "The Gang Goes to War"

      This episode features Diane chatting with a co-star about her note taking experience. The woman indicates that she took notes incessantly and voraciously, but that she never referred back to them. The experience just caused her extreme stress so she gave it up completely as she felt it never gave her any benefit. She resorted instead to a more zen practice of drawing circles in her notebooks. She showed Diane a pile of notebooks filled with circles in various designs and colors. Later in the episode while in court the woman asked Diane about it and Diane showed her some of her new circle "note" pages.

      [Watched the episode passively sometime in the past two weeks.]

    1. You see the values of the self-attention weights are computed on the fly. They are data-dependent dynamic weights because they change dynamically in response to the data (fast weights).
  16. opentextbooks.library.arizona.edu opentextbooks.library.arizona.edu
    1. I have fallen short in many ways as I’ve worked towards the goals I have made in my life.

      It happened to me too, but as a young person, I understand that as a learning because my journey is still far from over.

    1. Tobeuseful,thenotestakenatmedicallecturesshouldbeasummaryonly;noattempt shouldbemadetotakeaverbatimreport

      Verbatim notes are not the goal.

      The idea of note taking as a means of sensemaking and understanding is underlined in an 1892 article in a shorthand magazine whose general purpose was to encourage shorthand and increasing one's writing speed, often to create verbatim records:

      To be useful, the notes taken at medical lectures should be a summary only; no attempt should be made to take a verbatim report.

    1. Primary keys and foreign keys are the fundamental building blocks of the relational database because these are the components that make the relationships work while allowing tables to be accessed independently. One-to-many relationships between primary keys and foreign keys are thus defined as referential constraints in the physical database
  17. Dec 2022
    1. Unlike numbers or facts, stories can trigger an emotional response, harnessing the power of motivation, imagination, and personal values, which drive the most powerful and permanent forms of social change.

      !- reason for : storytelling -storytelling can trigger emotion responses - triggers our imagination and personal values - leading to the most powerful forms of social change

    1. However, most of the stuff I read about personal knowledge management is about systems, apps, setups or plugins, and never really about its purpose. Why bother doing all this?

      The crucial question to the whole enterprise. They should have asked this question from the start of the essay or the start of their journey, not at the end.

      Again shiny object syndrome seems to have gotten them...

    2. Writing permanent notes was time consuming as f***. On one side writing them helped me grasp the concepts they described on a deep level. One the other side I think this would have been possible without putting an emphasis on referencing, atomicity, deep linking, etc.

      The time it takes to make notes is an important investment. If it's not worth the time, what were you actually doing? Evergreen/permanent notes are only useful if you're going to use them later in some sort of output. Beyond this they may be useful for later search.

      But if you're not going to search them or review them, which the writer says they didn't, then what was the point?

      Have a reason for taking a note is of supreme importance. Otherwise, you're just collecting scraps...

      People who have this problem shouldn't be using digital tools they should be spending even more time writing by hand. This will force them into being more parsimonious.

    3. Funnily enough the ROI on these notes was a lot higher than all the permanent/evergreen/zettel notes I had written.

      The missing context here: Why were they writing permanent/evergreen notes in the first place?

    4. Although some of them took a lot of time to create (I literally wrote whole book summaries for a while), their value was negligible in hindsight.

      What was the purpose of these summaries? Were they of areas which weren't readily apparent in hindsight? Often most people's long summaries are really just encapsulalizations of what is apparent from the book jacket. Why bother with this? If they're just summaries of the obvious, then they're usually useless for review specifically because they're obvious. This is must make-work.

      You want to pull out the specific hard-core insights that weren't obvious to you from the jump.

      Most self-help books can be motivating while reading them and the motivation can be helpful, but generally they will only contain one or two useful ideas

    1. His note taking technique has a high distraction potential and is time consuming.

      highlight from https://www.reddit.com/user/ManuelRodriguez331/ <br /> https://www.reddit.com/r/Zettelkasten/comments/zigwo3

      Anecdotal evidence of how some might view zettelkasten note-taking practices, particularly when they have no end goal or needs in mind.

      Form follows function

      /comment/izs0u3b/?utm_source=reddit&utm_medium=web2x&context=3

    1. But anti- spam software often fetches all resources in mail header fields automatically, without any action by the user, and there is no mechanical way for a sender to tell whether a request was made automatically by anti-spam software or manually requested by a user. To prevent accidental unsubscriptions, senders return landing pages with a confirmation step to finish the unsubscribe request. A live user would recognize and act on this confirmation step, but an automated system would not. That makes the unsubscription process more complex than a single click.

      HTTP: method: safe methods: GETs have to be safe, just in case a machine crawls it.

    2. This document describes a method for signaling a one-click function for the List-Unsubscribe email header field. The need for this arises out of the actuality that mail software sometimes fetches URLs in mail header fields, and thereby accidentally triggers unsubscriptions in the case of the List-Unsubscribe header field.
    1. “I started my Zettelkasten,because I realized that I had to plan for a life and not for a book.”5

      from Niklas Luhmann, Niklas Luhmann Short Cuts (English Translation), 2002, 22.

    1. If a contact ever reaches out and is no longer receiving messages because they accidentally marked one of your campaigns as spam, you can reach out to Product Support. We can remove them from the suppression list for you. 

      why not allow user to do it directly instead of force to contact support? If they'll remove it for you because you said the user asked you to... why not just let you remove the suppression yourself? Mailgun lets you directly delete suppressions via their API.

  18. Nov 2022
    1. And improving the quality and quantity of material available to your brain when you sit down to create something—that is why we implement The Notecard System.

      Increasing the quantity and quality of ideas and materials one has at their disposal when one desires to create something new is one of the reasons for having a note taking system.

      memory, learning, sense making, improving understanding, improved creativity, and others are also at play... any others? we should have a comprehensive list eventually.

    1. This occurs for the child processes, where the entry is still needed to allow the parent process to read its child's exit status: once the exit status is read via the wait system call, the zombie's entry is removed from the process table and it is said to be "reaped".
  19. Oct 2022
    1. McMaster's Stephen Girard(1918), he said, was a "series of anecdotes . . . without connection"and with little interpretation or analysis." In Rhodes's last twovolumes the facts rarely appeared "to have meaning or to be partsof a coherent structure." " "No simple theme, like that whichdominated his great work, is apparent here. Mr. Rhodes has notseen any constructive unity in the years he covers. Instead of mak-ing a synthesis that would of itself lead the reader to a clearerunderstanding of American history . . . , he has developed his topicsparagraph by paragraph, with often abrupt transition from themeto theme." 26 His failure in the final product followed,

      Paxson would have considered it a failure in note taking to have only compiled but not to have synthesized one's accumulated knowledge.

      Why take notes if one is not going to use them to some end, whether that be personally in one's life, or to extend and expand the depth and breadth of human knowledge by analyzing and synthesizing the ideas to create something new for others' benefit?

    2. Onesuspected that Paxson's love for his work may have tempted him tolabor too long, and that he established a schedule to protect him-self and the keenness of his mind, to keep himself from his deskinstead of at it, as is some men's purpose.

      Pomeroy suspects that Paxson may have kept to a strict work schedule to keep his mind sharp, but he doesn't propose or suspect that it may have been the case that Paxson's note taking practice was the thing which not only helped to keep his mind sharp, but which allowed him the freedom and flexibility to keep very regular work hours.

    3. None of these notes wasever used in his writing; probably they were taken with no thoughtof specific use, but out of absorption in the American scene.

      It's quite likely that one will take a large number of notes with no immediate goal or plan for use and this is completely acceptable. Often these notes go towards the more immediate goal of forming one's own understanding and setting of a broader tableau for material one will write in the future.

    1. Unfortunately, such diverse topics as literacy, numeracy, gestures, jokes, sexual morality, personal cleanliness or the treatment of animals, though central to my concerns, are hard to pursue systematically. They can’t be investigated in a single archive or repository of information. Progress depends on building up a picture from a mass of casual and unpredictable references accumulated over a long period. That makes them unsuitable subjects for a doctoral thesis, which has to be completed in a few years. But they are just the thing for a lifetime’s reading. So when I read, I am looking out for material relating to several hundred different topics. Even so, I find that, as my interests change, I have to go back to sources I read long ago, with my new preoccupations in mind.

      For a variety of topics and interests there are not archives of information that can be consulted or referenced. As a result one must slowly, but methodically collect this sort of information over a lifetime to be able to analyze it and build theses.

    1. https://gabz.blog/2022/10/27/what-about-them.html

      Why do people not have strong note taking practices or desire to do so? - Some of it may come down to lack of a practice (or model) to follow - some don't have a clearly stated need for why they're doing it in the first place - some spread their notes out over many tools and applications which prevents a quorum of power building up in one place, thus defeating a lot of the purpose. (This is why having all of one's notes in one place is so important as a rule.) - This particular post is a good example of this cardinal sin. - Lack of easy search defeats the ability to extract value back out of having made the notes in the first place. - Note repositories aren't always all of the value proposition. Often the fact of the work that went into making a note to learn and understand ideas is all of the value for a reasonable portion of notes.

    1. A friend of mine, well versed in all sorts of PKM and stuff, was convinced the ZK was beneficial, but took a long time before you started seeing benefits. My experience was completely different. I think I had about 5 permanent cards established when I made my first jump to a new idea... I don't know if the idea is any good at this moment, but I got a chill up my spine when I did it. I have more cards now, and have had a few more "new thoughts" that I would not have had otherwise. Don't put it off.

      The zettelkasten can be a useful educational substrate for thinking in as few as five cards.

      link to: https://hypothes.is/a/Iwy7MGlMEeyztTNgvCXUOA

    1. I’m with Iris (and Jane) about the PoIC system — I don’t understand how the system works once it is set up. It’s a shame as it might be very useful. Ideally, I’d like to set it up with notebooks in Evernote instead of actual index cards and boxes (the last thing I need in my life is more paper clutter). That way it would be easily searchable, too).

      As is apparently often in describing new organizing systems (commonplace books, zettelkasten, PoIC, etc.), not everyone is going to understand it the first time, or even understand what is going on or why one would want to use it.

      This post by Susan is such an example.

      Susan does almost immediately grasp that this might be something one could transfer into a digital system however, particularly for the search functionality.

    1. ...the usefulness of a note-taking system has an ultimate limit beyond which it becomes self-defeating. [...] After all, the ultimate purpose of the exercise is not to produce beautiful notes displaying the researcher's technical prowess, but rather usable notes to build the mosaic.<br /> —Jacques Goutor (p33)

    1. To be able to trustone's own experience, even if it often turns out to beinadequate, is one mark of the mature workman. Suchconfidence in o n e ' s own experience is indispensable tooriginality in any intellectual pursuit, and the file is onetool by which I have tried to develop and justify suchconfidence.

      The function of memory served by having written notes is what allows the serious researcher or thinker to have greater confidence in their work, potentially more free from cognitive bias as one idea can be directly compared and contrasted with another by direct juxtaposition.

  20. Sep 2022
    1. Consumers can use the status member to determine what the original status code used by the generator was, in cases where it has been changed (e.g., by an intermediary or cache), and when message bodies persist without HTTP information. Generic HTTP software will still use the HTTP status code.
    1. This post is a classic example of phenomenon that occurs universally. One person devises something that works perfectly for them, be it a mouse trap design, a method of teaching reading or … an organisation system. Other people see it in action and ask for the instructions. They try to copy it and … fail. We are all individuals, and what works for one does not work for all. Some people reading this post go “wow, cool!” Others go “What…???” One size does not fit all. Celebrate the difference! The trick is to keep looking for the method that works for you, not give up because someone else’s system makes your eyeballs spin!

      all this, AND...

      some comes down to the explanations given and the reasons. In this case, they're scant and the original is in middling English and large chunks of Japanese without any of the "why".

    1. Yes, I understand that it had probably been tried. My question was more, "Why didn't twiddling the knob work?”
    2. We do not want to change or remove additionalProperties. Providing a clear solution for the above use case will dramatically reduce or eliminate the misunderstandings around additionalProperties.

      annotation meta: may need new tag: - don't want to change or remove existing feature [because...] - solving problem B will reduce misunderstandings around feature A

    1. There has been much discussion about “atomic notes”, which represents the key ideas from a person’s research on some topic or source (sources one and two). These are not the kind of thing I am interested in creating/collecting, or at least not what I have been doing. A far more typical thing for me is something I did at work today. I was trying to figure out how to convert the output of a program into another format. I did some searching, installed a tool, found a script, played with the script in the tool, figured out how to use it, then wrote down a summary of my steps and added links to what I found in my search. Since I am not doing research for a book or for writing academic papers, the idea of an atomic note does not fit into my information world. However, capturing the steps of a discovery or how I worked out a problem. is very real and concrete to me. I used to know a fellow engineer who wrote “technical notes” to capture work he was doing (like a journal entry). Maybe that is how I should consider this type of knowledge creation. 

      Andy Sylvester says his engineering type of notes don't fit with the concept of atomic note. A 'how to solve x' type of note would fit my working def of 'atomic' as being a self-contained whole, focused on a single thing (here how to solve x). If the summary can be its title I'd say it's pretty atomic. Interestingly in [[Technik des wissenschaflichen Arbeitens by Johannes Erich Heyde]] 1970, Heyde on p18 explicitly mentions ZK being useful for engineers, not just to process new scientific insights from e.g. articles, but to index specific experiences, experiments and results. And on p19 suggests using 1 ZK system for all of your material of various types. Luhmann's might have been geared to writing articles, but it can be something else. Solving problems is also output. I have these types of notes in my 'ZK' if not in the conceptual section of it.

      Vgl [[Ambachtelijke engineering 20190715143342]] artisanal engineering, Lovelock Novacene 2019, plays a role here too. Keeping a know-how notes collection in an environment where also your intuition can play a creative role is useful. I've done this for coding things, as I saw experienced coders do it, just as Andy describes, and it helped me create most of my personal IndieWeb scripts, because they were integrated in the rest of my stuff about my work and notions. Vgl [[Vastklik notes als ratchet zonder terugval 20220302102702]]

    1. Why is this important in this history of psychology?

      "The present work will, I venture to think, prove that I both saw at the time the value and scope of the law which I had discovered, and have since been able to apply it to some purpose in a few original lines of investigation. But here my claims cease. I have felt all my life, and I still feel, the most sincere satisfaction that Mr. Darwin had been at work long before me, and that it was not left for me to attempt to write 'The Origin of Species.' I have long since measured my own strength, and know well that it would be quite unequal to that task. Far abler men than myself may confess that they have not that untiring patience in accumulating and that wonderful skill in using large masses of facts of the most varied kinds, -- that wide and accurate physiological knowledge, -- that acuteness in devising, and skill in carrying out, experiments, and that admirable style of composition, at once clear, persuasive, and judicial, -- qualities which, in their harmonious combination, mark out Mr. Darwin as the man, perhaps of all men now living, best fitted for the great work he has undertaken and accomplished." This comes from the Classics in the History of Psychology Limits of Natural Selection By Chauncey Wright (1870). This shows us the importamce of the limits including in theories like this one. Natural selection indicates that the strongest will be the ones that will survive and there for will be the ones that will be able to have offsprings and make their generation endure. But thjis has a limit due to the sexual selection because it shows that the natural selection can not be impossed to people in any way or form. I see this working in psychology in a very big way because now that we are in a generation that is so ruled out by the social media this concept wants to persist and endure no matter what. I can see natural selecetion slowly decreasing amd really another type of selection evolving with the next future generations.

      Angela Cruz Cubero (Christian Cruz Cubero)

    1. Together, students and their teacher create aclassroom community, and the environment strongly influences the learn-ing that takes place (Angelillo, 2008). The classroom community should be inviting,supportive, and safe so young adolescents will be motivated to participate in readingand writing activities.

      This almost my exact reason for wanting to become a teacher: becoming the safe space I needed and had when I came to school.

  21. Aug 2022
    1. The task is not deleted, but the two are no longer connected. It’s not possible to connect them again.

      Should be possible!

    1. It’s recommended that you summarize the information you want to store in your own words, instead of directly copying the information like you would in a commonplace book.

      recommended by whom? for what purpose?

      Too many of these posts skip the important "why?" question

    1. Why another tool?: At the moment of writting there exists no proper platform-independent GUI dialog tool which is bomb-proof in it's output and exit code behavior
    1. In the Apology of Socrates, he wrote: The unexamined life is not worth living.

      Plato wrote it. Socrates was against writing.

    1. A commonplace book is a way to keep our learning priorities in order. It motivates us to look for and keep only the things we can use.
    2. And if you still need a why–I’ll let this quote from Seneca answer it (which I got from my own reading and notes): “We should hunt out the helpful pieces of teaching and the spirited and noble-minded sayings which are capable of immediate practical application–not far far-fetched or archaic expressions or extravagant metaphors and figures of speech–and learn them so well that words become works.”
  22. Jul 2022
    1. Thewhole point of this note-making process is not only toprovide ourselves with ideas we want to pursue, but toactually show us which ideas we are most interested in.
    1. It feels like « removing spring » is one of those unchallenged truths like « always remove Turbolinks » or « never use fixtures ». It also feels like a confirmation bias when it goes wrong.

      "unchallenged truths" is not really accurate. More like unchallenged assumption.

    1. Beyond the cards mentioned above, you should also capture any hard-to-classify thoughts, questions, and areas for further inquiry on separate cards. Regularly go through these to make sure that you are covering everything and that you don’t forget something.I consider these insurance cards because they won’t get lost in some notebook or scrap of paper, or email to oneself.

      Julius Reizen in reviewing over Umberto Eco's index card system in How to Write a Thesis, defines his own "insurance card" as one which contains "hard-to-classify thoughts, questions, and areas for further inquiry". These he would keep together so that they don't otherwise get lost in the variety of other locations one might keep them

      These might be akin to Ahrens' "fleeting notes" but are ones which may not easily or even immediately be converted in to "permanent notes" for one's zettelkasten. However, given their mission critical importance, they may be some of the most important cards in one's repository.

      link this to - idea of centralizing one's note taking practice to a single location

      Is this idea in Eco's book and Reizen is the one that gives it a name since some of the other categories have names? (examples: bibliographic index cards, reading index cards (aka literature notes), cards for themes, author index cards, quote index cards, idea index cards, connection cards). Were these "officially" named and categorized by Eco?

      May be worthwhile to create a grid of these naming systems and uses amongst some of the broader note taking methods. Where are they similar, where do they differ?


      Multi-search tools that have full access to multiple trusted data stores (ostensibly personal ones across notebooks, hard drives, social media services, etc.) could potentially solve the problem of needing to remember where you noted something.

      Currently, in the social media space especially, this is not a realized service.

  23. Jun 2022
    1. Luhmann’s zettelkasten use case .t3_vlape5._2FCtq-QzlfuN-SwVMUZMM3 { --postTitle-VisitedLinkColor: #9b9b9b; --postTitleLink-VisitedLinkColor: #9b9b9b; } I was just thinking… I wonder what Luhmann’s use case for his zettelkasten was. By this I mean, was his original use for it for knowledge development, then his papers/books came as a successful bi-product? Or was his original intention to use it to actually write books/papers in the first place… Does anyone have any insight on this?

      When asked by Bielefeld University to report on his research projects, Luhmann famously replied:

      “Theory of society; duration: 30 years; costs: none”.

      In this there is a tremendously large nod to his zettelkasten to permit this work to be done.

      Though technically at the current price of $11.78 for 1,000 index cards on Amazon right now and a total of 92,000 cards, Luhmann should have better budgeted 1083.76 for the paper not to mention the cost of pens and pencils.

      Luhmann, N. (1997). Die Gesellschaft der Gesellschaft (2 vols). Frankfurt am Main, Germany: Suhrkamp. Published in translation as Theory of society (2 vols.). Stanford, CA: Stanford University Press 2012–2013.

    1. Luhmann remarked that, when the Faculty of Sociology at Bielefeld University, newly established in 1969, asked its professors to report on the research projects they were working on, his reply was “Theory of society; duration: 30 years; costs: none” (Luhmann, 1997, p. 11).

      “Theory of society; duration: 30 years; costs: none”

      Quote from

      Luhmann, N. (1997). Die Gesellschaft der Gesellschaft (2 vols). Frankfurt am Main, Germany: Suhrkamp. Published in translation as Theory of society (2 vols.). Stanford, CA: Stanford University Press 2012–2013.

    1. The Lord Himself comes to display His transcendental pastimes, typically represented at Vṛndāvana, Mathurā and Dvārakā. He appears just to attract the conditioned souls back to Godhead, back home to the eternal world. But for want of sufficient piety, the onlookers are not attracted by such pastimes of the Lord. In Bhagavad-gītā it is said that only those who have completely surpassed the way of sinful reaction can engage themselves in the transcendental loving service of the Lord. The entire Vedic way of ritualistic performances is to put every conditioned soul on the path of piety. By strict adherence to the prescribed principles for all orders of social life, one can attain the qualities of truthfulness, control of the mind, control of the senses, forbearance, etc., and can be elevated to the plane of rendering pure devotional service to the Lord. Only by such a transcendental vision are one’s material hankerings fully satisfied.
    1. The myth of the writer sitting down before a completely blankpage, or the artist at a completely blank canvas, is just that—a myth.
    2. Be regular and orderly in your life so that you may be violent andoriginal in your work.—Gustave Flaubert

      In addition to this as a standalone quote...


      If nothing else, one should keep a commonplace book so that they have a treasure house of nifty quotes to use as chapter openers for the books they might write.

  24. May 2022
    1. But the current discourse has gotten out of hand.

      The current discourse around personal knowledge management is out of hand, but not necessarily for all the reasons stated here. There are many issues and we have a lot of history and practice to recover. We also have lost sight of the "why are we doing this?" question before jumping into some of these practices with both feet.

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

    2. "The need to engage with people in terms of evaluating them for the aim of acquiring a different point of view was one occasion this semester where the knowledge I received in class positively changed the way I approached an issue. I was patient enough to explore other perspectives, some of which disagreed with mine, so that I might learn about their opinions without bias or prejudice."

  25. Apr 2022
    1. Will be executed right after outermost transaction have been successfully committed and data become available to other DBMS clients.

      Very good, pithy summary. Worth 100 words.

      The first half was good enough. But the addition of "and data become available to other DBMS clients" makes it real-world and makes it clear why it (the first part) even matters.

  26. Mar 2022
    1. GitLab self-monitoring gives administrators of self-hosted GitLab instances the tools to monitor the health of their instances. This feature is deprecated in GitLab 14.9, and is scheduled for removal in 15.0.

      motivated by profit?

    1. Ruby Object Mapper (rom-rb) is a fast ruby persistence library with the goal of providing powerful object mapping capabilities without limiting the full power of the underlying datastore.
  27. Feb 2022
    1. When you read widely, your brain is exposed to different ways in which a sentence or paragraph is written. There are patterns in the use of nouns, pronouns, verbs and other parts of speech; there are patterns in syntax and in sentence variation; and there are patterns in sound devices, such as alliteration and assonance. You can annotate these with different symbols or colors, and develop understanding as patterns emerge, and style emerges from patterns. To read like a writer, you need to annotate like one, too.

      I haven't seen very much in the area of annotating directly as a means of learning to write. This is related to the idea of note taking for creating content for a zettelkasten, but the focus of such a different collection is for creating a writing style.

      Similar to boxing the boring words (see Draft #4; http://jsomers.net/blog/dictionary), one should edit with an eye toward the overall style of a particular piece.


      Annotating structures and patterns in books is an interesting exercise to evaluate an author's style as a means of potentially subsuming, modifying, or learning other styles.

    2. By annotating, you take ownership over the message that the book is trying to make.

      Annotating a text allows the reader to more closely interact with the ideas and take ownership of them.

  28. Jan 2022
    1. To learn—A rather obvious one, but I wanted to challenge myself again.

      I love that Johannes Klingbiel highlights having his own place on the Internet as a means to learn. While I suspect that part of the idea here is to learn about the web and programming, it's also important to have a place you can more easily look over and review as well as build out on as one learns. This dovetails in part with his third reason to have his own website: "to build". It's much harder to build out a learning space on platforms like Medium and Twitter. It's not as easy to revisit those articles and notes as those platforms aren't custom built for those sorts of learning affordances.

      Building your own website for learning makes it by definition a learning management system. The difference between my idea of a learning management system here and the more corporate LMSes (Canvas, Blackboard, Moodle, etc.) is that you can change and modify the playground as you go. While your own personal LMS may also be a container for holding knowledge, it is a container for building and expanding knowledge. Corporate LMSes aren't good at these last two things, but are built toward making it easier for a course facilitator to grade material.

      We definitely need more small personal learning management systems. (pLMS, anyone? I like the idea of the small "p" to highlight the value of these being small.) Even better if they have social components like some of the IndieWeb building blocks that make it easier for one to build a personal learning network and interact with others' LMSes on the web. I see some of this happening in the Digital Gardens space and with people learning and sharing in public.

      [[Flancian]]'s Anagora.org is a good example of this type of public learning space that is taking the individual efforts of public learners and active thinkers and knitting their efforts together to facilitate a whole that is bigger than the sum of it's pieces.

  29. Dec 2021
    1. The transformer model introduces the idea of instead of adding another complex mechanism (attention) to an already complex Seq2Seq model; we can simplify the solution by forgetting about everything else and just focusing on attention.
    1. I’m particularly interested in two questions: First, just how weird is machine learning? Second, what sorts of choices do developers make as they shape a project?
  30. Nov 2021
    1. Computers are especially good at matrix multiplications. There is an entire industry around building computer hardware specifically for fast matrix multiplications. Any computation that can be expressed as a matrix multiplication can be made shockingly efficient.
  31. Sep 2021
    1. Adornment is frequently seen as a style extra for finishing an outfit. For some, a look isn't finished until the correct frill are added. A "exemplary" look, for example, requests pearls and precious stones for fruition. Adornments has assumed a significant part in human existence for millennia. We gain from history that antiquated civilisations appreciated adornments and it was utilized to feature the characteristic magnificence of its wearers. Various pieces were worn to represent various messages like security, astuteness, polish, and thriving. Numerous ladies like to wear gems as an image of gentility or to grandstand economic wellbeing. Adornments can likewise cause a lady to feel sure and delightful. Here are five reasons adornments is imperative to advanced ladies: 1. It's a fundamental adornment for unique events. Adornments is truly significant to ladies and it's significance in their lives today isn't difficult to comprehend given the way that it has been worn by people for quite a long time. It's fame just increments as time advances as new styles and plans enter the commercial center. Going to unique events, like weddings, graduations, grant functions, birthday celebrations, and commemoration meals, without wearing adornments isn't a possibility for most of ladies. They would feel dull and under-dressed without certain bits of gems to embellish themselves. 2. It tends to be a wise speculation. Money master, Alister Clare from Credit Capital says, "adornments isn't just utilized for design, however certain things can likewise fill in as extraordinary ventures and will hold their worth uncertainly. A gems assortment can be an incredible security reserve. She adds, "purchasing gems venture pieces, particularly the costly ones, permits you to purchase what you love, anyway you should guarantee that you are purchasing from legitimate sources." Precious stones have been pursued for quite a long time and are consistently sought after paying little mind to any fluctuating economies and happenings in the public arena. The appeal for precious stones, just as gold, guarantees that gems holds its worth and will consistently be not difficult to sell when required. Gold is a valuable metal, and gold arm bands, rings, and neckbands can without much of a stretch be liquefied down and transformed into bullion bars and new bits of adornments. The estimation of gold remaining parts generally stable dissimilar to that of money, which vacillates relying upon financial components. Gems with high gold substance will consistently have a high worth. For example, the current worldwide monetary emergency isn't affecting gold costs, which keeps on expanding. 3. It causes them to feel better and gives them fearlessness. Gems has an undeniable capacity to draw out the best in a lady's highlights and character when the correct piece is worn by the opportune individual to the correct event. It is significant for ladies as it can cause them to feel excellent, classy, extraordinary, and certain. It eventually assumes a major part in causing a lady to have a positive outlook on herself, which is the reason it's so important to numerous ladies. 4. It's regularly perhaps the most costly and significant blessings a lady gets from her better half. There is an immense scope of various bits of adornments a man can purchase for a lady, and his decision relies upon the event and the measure of cash he needs to or can pay. Gems can go from $10 to countless dollars in cost. Things containing platinum and precious stone are the most costly, while silver gems is generally reasonable. White gold is the most mainstream decision right now. 5. It can have wistful worth. A few bits of adornments that ladies own have a wistful worth a lot higher than their financial worth. For instance, a 500 dollar wedding band can have boundlessly more noteworthy inborn worth and be something to treasure until the end of time. Besides, its wistful worth can increment as it's given over to people in the future. Feel certain and lovely! Click here for special lovely deals on braceletshttps://helbeau.com/product/womens-casual-round-quartz-watch-with-leather-strap/

      Exellence Obong

    2. The fact is that jewelry has exuded a specific value for thousands of years. People have always worn gold, silver, and other substances to underline a high position, their wealth, or simply their beauty. Those who possessed rare natural materials liked to show it too, and those who hunted animals wore their bones as evidence of their strength and courage. This perhaps makes the jewelry items most useful. Accessories have always shaped the image of the wearer. As a gift, jewelry is even more meaningful because it shows how much a person means to the giver. This is why women like to emphasize who gave them their jewelry and for what reason. So jewelry is a timeless gift. It underlines the characteristics of the wearer. Jewelry designers are aware of this and therefore create a wide variety of shapes and colors. That was also the case centuries ago: The goldsmiths in ancient Egypt or among the Greeks and Romans made jewelry depending on the client to make it extraordinary. In addition, such a gift is always associated with fond memories of special events. A ring naturally represents the beginning of a marriage, and jewelry is generally also considered a kind of investment - especially materials such as gold, silver, and platinum.

      Chad Jones

    3. Those ladies (even gentlemen, vice versa), who are weak minded, not having strong mentality, depend upon others wear jewelry. These ladies by showing jewelry want to attract wealthy men for survival. Moreover jewelry has got liquidity. In any peril it pays immediate money. It has got assets value. I have seen several beautiful ladies with high education and intelligence do not use much jewelry as they are self dependent.

      Ronnjone Sam

    4. Personally, as a girl, I like jewelry because it looks nice and goes with a lot of outfits. Really, I can respect the desire to buy jewelry with precious materials, but you'll find me shopping for a five dollar necklace at a thrift store. I'd feel like I was wasting my time with gold or real gemstones.

      Anonymous

    5. I think gold jewelry is an important ornament for all special occasions a woman goes through in life - like wedding, anniversary. Jewelry is also one of the best and expensive gifts that a husband can offer to his wife. So, jewelry has a great importance in women’s life because it can make a woman feel special, stylish and beautiful.

      Maria Berg

    6. Women love jewelry for the same reason men love watches: it makes them feel attractive and high status. Feeling high status applies both to romantic and to peer relationships. In other words, people feel more confident when they wear jewelry. To learn more about how to sell jewelry to people, read our post here on the topic: 6 Keys To Selling Jewelry For Beginners - ELF925 Blog

      Peter Evans

    7. In my opinion, there are not many reasons why women like jewelry. Women are naturally soft. They are born to pursue beauty, and jewelry is one of the beauty.

      Fang Li

    8. Jewellery has been an asset to humans since time immemorial. It has remained a symbol of power and beauty for us. Women have always been attracted to owning a piece of jewellery, be it in the form of a pendant or an earring. When we talk about precious metal jewellery, it is a symbol of everlasting love and joy. These non-decaying metals symbolise ever glowing beauty and power, an apt choice for ladies around the world. Women have always had a fascination to look their best at all times. They want to look different yet cast a lasting impression on others. The easiest way to do so is by wearing the perfect piece that adds to the glow. For instance, a pair of classic rose gold earring will go a long way in adding to the versatility of any woman. Be it a formal occasion or a family wedding, it is the jewellery of the woman that makes her stand out among other ladies. Praadis Jewellers, a leading jewellery brand of India located in Aashima Anupama Mall, Bhopal offers various designs to cater to all your jewellery needs. You can check out their collection here for more info.

      Rahul Vishwakarma

    9. Jewelry has always been used to enhance the beauty of the person wearing it. He or she chose his or her jewelry according to the budget and ultimate point is to look good and feel good wearing it. Jewelry is one of the important parts of a woman’s beauty. Jewelry helps to enhance beauty if it is used in the right manner. Buying a piece of jewelry is an emotional purchase. Especially when one is shopping for an engagement ring. Buying diamonds & jewelry have always been one of the most popular trends for couples during Valentine's Day, birthdays, anniversaries, mother's day & religious holidays along with roses as it is one of the most universal symbols of love in a tangible form. Wearing jewelry can represent a lot of different personality traits. It can also be a symbol of accomplishment, success, confidence, social status or even self-worth for those who treat themselves. Everywhere in the world and for centuries, the woman has worn jewelry for many.It is one of the few things in life you can purchase that ultimately can be owned for a lifetime. Some women like to own jewelry for the simple fact that it is something that can be passed down generation after generation that potentially becomes a family heirloom. Whether it is an engagement ring that was passed down from your grandmother or a necklace that your mother received on her wedding day and decided to continue the tradition.

      Simran Kaur

    10. It is difficult to pinpoint the correct time with reference to when ladies began cherishing gems. History has more than once demonstrated a lady's propensity for wearing something delightful on her neck, arms, ears and fingers. Furthermore, whatever the plan of the piece - be it basic pendants, hoops, or thick bangles - the women will dependably be pulled in to these improving pieces more than the noble men. Some mental examinations may bolster this reality, stipulating that numerous young ladies are by and large attracted to glossy, sparkly and brilliant things. This is the reason, in many examples, wonderful adornments is constantly connected with a lady, as it is relatively synonymous. So for what reason do young ladies cherish adornments? There are two or three reasons that ring a bell: The women love to look beautiful. For a certain something, ladies are touted as more trendy and more cognizant with regards to looking in vogue and respectable. Contrasted with the men, the women put such a great amount of care into their appearances, and in all actuality society puts such a great amount of desire for them to look well. So to influence themselves to seem more satisfactory, it has dependably been set - maybe since the start of development - that young ladies should dependably wear beautiful things particularly with regards to attire, shoes, frill or gems. Furthermore, now and again, it isn't just about wearing any sort of gems. A few young ladies even go the additional mile by wearing brilliant and shaded pieces that truly summon consideration. The more the pieces snatch the enthusiasm of the general population around her, the more it is speaking to wear. This isn't to state, in any case, that numerous ladies are vain about looking great and getting acclaims for it. Be that as it may, of course, regardless of whether people concede this or not, vanity while thought about a bad habit by a few, can likewise be something to be thankful for, particularly among the female populace. Since there is nothing amiss with looking pretty and utilizing adornments to do only that. The women place an incentive in their fortunes. Women cherishing gems may likewise have a remark with the way that each piece they possess conveys a nostalgic esteem, paying little heed to how much its genuine cost is worth. Be it costly or reasonable, they keep most blessings they get, especially when it is gems. They hold specific connection to their rings, pieces of jewelry and wrist trinkets, particularly when these speak to critical minutes in their lives. They welcome the images and portrayals of the gemstones that accompany the blessings, and comprehend the significance behind it. They gather adornments pieces, regardless of whether they just wear this once, and they definitely know which ones they will pass on to their girls or other female relatives when the perfect time comes. Men appreciate offering gems to their better half, sweetheart, little girls, mother and other noticeable females throughout their life for every one of these reasons. All things considered, there is some incredible fulfillment from the supplier in observing that the adornments they have skilled to that exceptional lady in their life is so esteemed and loved. Notoriety of Women's Jewelry It should not shock anyone in this way, that ladies visit adornments web based shopping destinations, since most young ladies love to look for gems whenever and anyplace, it is very nearly a given that stores ought to have these. Beside ladies, adornments online stores are looked for by men searching for gems to blessing to the unique ladies in their lives.

      Jakir Hossain

    11. Being a contemporary women's and unisex fashion jewelry designer myself, I find that women and men alike wear jewelry as a way to communicate their personality. If an individual will take the time to put an accessory on like jewelry, they like expressing to the world through it. Examples include women wearing an engagement ring because they want the world to know they're getting married or with my collection, people show they want to support one of a kind designs and take pride in wearing art that not everyone has and is originally and locally crafted. Besides wearing my own jewelry brand, I seek out fashion that is top quality, made from new production methods or just interesting materials, and play with color palettes and silhouette shapes that get my creative gears going- what I wear is a part of artistic expression.

      Ashley Koprowski

    12. Not all women do. But for those who do, there's multiple reasons why jewelry is attractive.It's fashionable. Good jewelry is an accessory that can be used with many different outfits and styles. It is a form of art that interacts well with one's style.It's a social signifier. It shows wealth and status to others around.It represents sacrifice. If it was given as a gift, the giver has to have extra money and is a good provider.It's an emergency stash. If needed, you can sell your jewelry and get money.Added 9/11/13: Many pieces are heirlooms. These are a vital link to people's family and a sense of history.

      Miguel Valdespino

    13. Jewelry is like a woman's soul mate. The secret of a woman is clearest. Jewelry shows the beauty of a woman. The pursuit of beauty is a woman's instinct, no matter how many instant jewelry, one will always feel that one is missing. 1. Elegance 2. Self-confidence 3. A sense of ritual 4. The pursuit of beauty 5. Make yourself happy 6. Jewelry is taste Do you know FashionTIY? You can buy jewelry, earrings, necklaces, bracelets, etc. on it. The quality of jewellery is better, and you will not feel cheap.

      Ange Sherry

    14. Their craze for jewellery is unexplainable. Jewellery enhances a woman's beauty and looks, and it’s like a topping on the cake. Women obsessed with jewellery are emotionally and personally attached to it. Some women are not ready for an occasion until they wear their gold or silver ornaments.These days, many people have started their online businesses for jewellery. They are providing beautiful yet unique designs at reasonable prices. Like pearls necklace, rose gold rings, and moon magic pendants, etc. These unique designs have created a boom, and women are captivated by them. And have discovered a few reasons like an addition in the women’s treasures or their desire to look pretty. Well, in this article, we are going to discuss a few points that might explain and clear their obsession with Jewellery. Desire to Look Pretty:It is the most primary reason that comes into mind whenever we discuss this topic. As we all know, women are more conscious and possessive when it comes to their looks and appearance. They do not even bother to go far in this case, as some women opt for very, colourful gems to be the centre of attention. But that is their way to add charm to their personality. To Look Unique and Different:By wearing unique, uncommon and different rings or necklaces increases their individuality and they look separate and distinct from the others. The women who want to maintain their legacy and uniqueness have their style to wear these pieces of Jewellery that do not only glam their personality, but they separate them from the herd. That is why you have never encountered a high profile woman with low mined diamonds. To Draw Attention to Her Features:Another reason for such obsession is to draw attention to their best features. Many women purchase Jewellery for their favourite features only or where they want to get the attention of people. Like if a woman has blessed with pretty hands, then you will mostly see her with a few gold or diamond rings on her fingers. And a woman with a long, slim neck will mostly go with a beautiful yet elegant necklace or earrings. One cannot deny the fact that as compared to men, women are more attracted to shiny things and they are crazy for gold or diamond Jewellery. Whether they are running late for an event, their preparation is not complete until they add charm to their look with these unique designs of ornaments. For some women, it is a sign of social status that enhances their beauty and makes them pretty and different from others.

      Jessie Hull

    15. Jewellery for the longest time has been an Integral part of several cultures throughout the world. Both men and women of the old times wore jewellery as it was a symbol of of their wealth and prosperity amongst the common men. But in the Modern Times the jewelry has become the statement symbol of women all around the globe.Numerous ladies today purchase jewelry for themselves, since it's exceptionally compensating in an "inherent" sort of way, and gets specific energy or feeling. The sort of ladies who purchase jewelry for themselves is generally the individuals who have business certainty, monetary freedom, and confidence. They need to make an individual, proficient, and surprisingly nostalgic proclamation.Jewelry reflects who a lady is and how she can accomplish her objectives in her day-to-day existence, love, and profession. For ladies, jewelry is clearly the most standout thing. The significance of jewelry in ladies life can be clarified by the way that they love to wear it for a long time. The notoriety of jewelry is expanding with the progression of time as numerous new plans and styles are on their way into the market. It is a significant trimming for all extraordinary and propitious events.Wherever you are on the planet, ladies are wearing a sufficient assortment of jewelry. Regardless of whether it is in the form of studs, necklaces, or bracelets jewelry is very mainstream. Purchasing jewelry for themselves is energizing, as ladies can move up to higher carat weight in precious stones, or from silver to gold, or to platinum. It's a method of how a few ladies measure their longings, monetary and individual accomplishments. Jewelry is profound and doesn't actually matter how enormous or little it is.

      Monica Hughes

    16. Women will never get tired of admiring precious metals and stones. I always check out the gemstone jewelry wholesale because can’t help buying something for myself at least once a month. Especially if I notice a discount, nobody can hold me from the purchase. Jewelry can make even the most modest image bright and refined. If you choose the right set of products, it will be easy to win the attention of the crowd and attract representatives of the strong half of humanity. Beautiful and exquisite jewelry can create a special aura around a woman. They make my eyes "glow" from the inside. I like the feeling when I put on new jewelry. It’s equivalent to a new hairstyle or to buying an amazing dress. Jewelry for a woman is an indicator of her self-realization. Therefore, the more of them, the better. A woman will not get tired of admiring her reflection in the mirror when she is wearing beautiful earrings, a necklace, a chain with a pendant, or looking at bracelets and rings on her hands. Such is the feminine essence.Here’s a video https://www.youtube.com/watch?v=CtZXdd4SK_Q where Carol Lipworth explains why women love jewelry and shares a big secret with the guys.

      Jennefer Walsh

    1. TypeScript is an extension of JavaScript. You can think of it as JavaScript with a few extra features. These features are largely focused on defining the type and shape of JavaScript objects. It requires that you be declarative about the code you're writing and have an understanding of the values your functions, variables, and objects are expecting.While it requires more code, TypeScript is a fantastic means of catching common JavaScript bugs while in development. And for just that reason, it's worth the extra characters.
    1. Webpack's resolve.mainFields option determines which fields in package.json are used to resolve identifiers. If you're using Svelte components installed from npm, you should specify this option so that your app can use the original component source code, rather than consuming the already-compiled version (which is less efficient).
    1. The usual approach of science of constructing a mathematical model cannot answer the questions of why there should be a universe for the model to describe. Why does the universe go to all the bother of existing? "

      Science is the HOW the universe came to be, Religion shows us the WHY.

      Quote at the end of the article: “At Oxford — to my surprise — I discovered Christianity. It was the intellectually most exhilarating and spiritually stimulating thing I could ever hope to describe — better than chemistry, a wonderful subject that I had thought to be the love of my life and my future career. I went on to gain a doctorate for research in molecular biophysics from Oxford, and found that immensely exciting and satisfying. But I knew I had found something better — like the pearl of great price that Jesus talks about in the Gospel, which is so beautiful and precious that it overshadows everything. It was intellectually satisfying, imaginatively engaging, and aesthetically exciting.”

      • Alister McGrath, The Future of Atheism: Alister McGrath & Daniel Dennett in Dialogue (London, England: Fortress Press, 2008), 27.
    1. According to Netflix, the Netflix app asks this question to prevent users from wasting bandwidth by keeping a show playing that they’re not watching. This is especially true if you’re watching Netflix on your phone through mobile data. Every megabyte is valuable, considering that network providers impose strict data limits and may charge exorbitant rates for data used on top of your phone plan. Advertisement tmntag.cmd.push(function(){tmntag.adTag('purch_Y_C_0_1', false);}); Of course, this saves Netflix bandwidth, too—if you fall asleep or just leave the room while watching Netflix, it will automatically stop playing rather than streaming until you stop it. Netflix also says this helps ensure you don’t lose your position in a series when you resume it. If you fall asleep in the middle of your binging session, you might wake up to find that several hours of episodes have played since you stopped watching. It will be difficult for you to remember when you left off.
  32. Aug 2021
    1. Javascript required? In other words, one cannot do this on cross-site iframes (due to cross-site scripting restrictions), is that right? As @clankill3r is suggesting, this demonstrates the need for a pure CSS solution to this problem
    1. https://indieweb.org/2012/Positive_Arguments

      It would be fun to revisit this. I'm not sure how much we can expand on the why portions, but looking closer at and thinking about expanding the how would be useful.

  33. Jul 2021
  34. datatracker.ietf.org datatracker.ietf.org
    1. The goal of this technology is to provide a mechanism for browser-based applications that need two-way communication with servers that does not rely on opening multiple HTTP connections (e.g., using XMLHttpRequest or <iframe>s and long polling).
    1. Please note that the strategy: :build option must be passed to an explicit call to association, and cannot be used with implicit associations:
    1. As for why - a GET can be cached and in a browser, refreshed. Over and over and over. This means that if you make the same GET again, you will insert into your database again. Consider what this may mean if the GET becomes a link and it gets crawled by a search engine. You will have your database full of duplicate data.
  35. 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."

    2. "I am also concerned that despite the best of intentions many of us have not considered adequately what social justice means and entails. I worry that social justice may become simply a “topic du jour” in music education, a phrase easily cited and repeated without careful examination of the assumptions and actions it implicates. That can lead to serious misunderstandings."

    1. Do not use aria-orientation attribute for standard list (i.e., role="list"), use component's vertical property to set the orientation to vertical.
    1. This repository has been archived by the owner.

      No explanation/announcement in the Readme

    1. We should test for events emitted in response to an action in our component. This is used to verify the correct events are being fired with the correct arguments.
  36. May 2021
    1. By overlooking the unusual role that ethnic minority parties play in coalition formation in theregion, we are unable to fully understand the reasons for politically important phenomena suchas the recent rise of the radical right in Eastern Europe.

      --> why this topic

    Tags

    Annotators

    1. Assuming I’m not reusing passwords all over the place, at least the worst thing you could do with my Neopets account is mistreat my virtual pet. Imagine, instead, that you’re a queer kid living in a small town in 1999, and you sign up for Livejournal and use it to find a supportive and loving queer community online. Then in 2007 Livejournal gets sold to a company based in Russia, which in 2013 criminalizes the distribution of pro-LGBTQ content to minors, and in 2017 Livejournal loses the account info of 26 million users. Was it your responsibility to monitor the shifting geopolitical context of your childhood diary for the next two decades?

      With regard to these portions, being a member of the IndieWeb and maintaining your own data on your own website is useful as one doesn't need to worry about these sorts of corporate shifts, sell-off, changes, etc.

    1. Note that not all of the colors in SMUI read from CSS variables, so some parts will still use the colors defined in the original Sass compile.
    1. deep URLs are not allowed in the "Website" field. If you use keywords or deep URLs, your comment or URL will be removed.
  37. Apr 2021
    1. After the recent brouhaha at Basecamp (context: https://www.platformer.news/p/-what-really-happened-at-basecamp), a great example of someone using their own domain because they didn't want the bad press of a silo/platform to stick to them