340 Matching Annotations
  1. Last 7 days
  2. Nov 2024
  3. Oct 2024
    1. Here's my setup: Literature Notes go in the literature folder. Daily Notes serve as fleeting notes. Project-related Notes are organized in their specific project folders within a larger "Projects" folder.

      inspired by, but definitely not take from as not in evidence


      Many people have "daily notes" and "project notes" in what they consider to be their zettelkasten workflow. These can be thought of as subcategories of reference notes (aka literature notes, bibliographic notes). The references in these cases are simply different sorts of material than one would traditionally include in this category. Instead of indexing the ideas within a book or journal article, you're indexing what happened to you on a particular day (daily notes) or indexing ideas or progress on a particular project (project notes). Because they're different enough in type and form, you might keep them in their own "departments" (aka folders) within your system just the same way that with enough material one might break out their reference notes to separate books from newspapers, journal articles, or lectures.

      In general form and function they're all broadly serving the same functionality and acting as a ratchet and pawl on the information that is being collected. They capture context; they serve as reminder. The fact that some may be used less or referred to less frequently doesn't make them necessarily less important

    1. Connecting Linkbetween twoSentences orParagraphs,

      Miles, 1905 uses an arrow symbol with a hash on it to indicate a "connecting link between two Sentences or Paragraphs, etc."

      It's certainly an early example of what we would now consider a hyperlink. It actively uses a "pointer" in it's incarnation.

      Are there earlier examples of these sorts of idea links in the historical record? Surely there were circles and arrows on a contiguous page, but what about links from one place to separate places (possibly using page numbers?) Indexing methods from 11/12C certainly acted as explicit sorts of pointers.

    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.

  4. Sep 2024
  5. Jul 2024
    1. If the link you are trying to send is just some kind of harmless confirmation link (e.g. subscribe/unsubscribe from a newsletter), then at least use a form inside the web page to do the actual confirmation through a POST request (possibly also using a CSRF token), otherwise you will unequivocally end up with false positives.
    1. Drupal use a HTTP GET to change data witch is not how HTTP protocol is supposed to be work. A HTTP POST request should be used to change an account from blocked to active. It's a bug and a ugly one.
    1. If you want to be (relatively) sure that any action is triggered only by a (specific) human user, then use URLs in emails or other kind of messages over the internet only to lead them to a website where they confirm an action to be taken via a form, using method=POST
    2. Links (GETs) aren't supposed to "do" anything, only a POST is. For example, your "unsubscribe me" link in your email should not directly unsubscribe th subscriber. It should "GET" a page the subscriber can then post from.
    1. The purpose of distinguishing between safe and unsafe methods is to allow automated retrieval processes (spiders) and cache performance optimization (pre-fetching) to work without fear of causing harm.
    2. Request methods are considered "safe" if their defined semantics are essentially read-only; i.e., the client does not request, and does not expect, any state change on the origin server as a result of applying a safe method to a target resource.
  6. Apr 2024
    1. The Varidex is the name given to onemethod-a direct expanding index made inletter , bill and le gal sizes. In this systemthe general plan of tab positions is similarto the direct alphabetic system. It main-tains the fam iliar sectional arrangementfor guide s, individual and )Jliscellaneousfo ld er s.
  7. Feb 2024
    1. gloryhole, a drawer in whichthings are heaped together without any attempt at order or tidiness;

      compare with scrap heaps or even the method of Eminem's zettelkasten (Eminem's gloryhole ???). rofl...

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

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

      1. What is it and why is it used?

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

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

      2. Syntax:

      Using methods object directly in the schema options:

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

      Using methods object directly in the schema:

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

      Using Schema.method() helper:

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

      3. Explanation in Simple Words with Examples:

      Why it's Used:

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

      Example:

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

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

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

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

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

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

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

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

    Tags

    Annotators

    URL

    1. You know XGBoost, but do you know NGBoost? I'd passed over this one, mentioned to me by someone wanting confidence intervals in their classification models. This could be an interesting paper to add to the ML curriculum.

  9. Dec 2023
    1. 735: _Nen_Kumi Name______ : 2006/03/04 (Sat) 23:35:55 ​​ID:??? >>732  5×3 was used as a book search card. (Almost all electronic now) It 's a little smaller than the popular version of the productivity notebook, making it ideal for portable notes. Other purposes include memorization cards and information retrieval. However, B7 and mini 6-hole system notebooks are almost the same size, so they are being pushed out and are not widely used in Japan.   How to do it in a book called How to Write an American-style Essay. 1.Write a tentative table of contents. 2.Write out the required literature on 5x3 cards.   a Classification code in the upper right corner b Author name and book title in the middle. c Assign a serial number to the top left. d Below is where you can get information.Finally,   write down all the information necessary for the paper's citation list. (4-a) 3. Rewrite the literature cards into a list. (It's a pain twice, but he says to do it.) 4. Write the information on 5x3 cards.   a Prepare literature cards and literature. Finish your bibliography cards. (2-e)   bWrite an information card ① One memo per card, information is the golden rule ② Write it in your own words ③ When copying, enclose it in quotation marks.   ⑤ Serial number of the literature card in the upper left ⑥ Tentative table of contents and card keyword in the upper right 5. Once all the literature cards are checked, rearrange them in the order of the table of contents. Elaboration. 6. The rest is drafting, footnotes, reviewing, citing, proofreading, and finishing.

      https://web.archive.org/web/20060422014759/http://that4.2ch.net/test/read.cgi/stationery/1021438965/l50

      Apparently there is a Japanese text with the title "How to Write and American-style Essay" which recommends using classification codes in the upper right and an assigned serial number in the top left.

      How was this related (or not) to Luhmann's practice or to the practices of the Dewey Decimal System? [Update: not related at all, see: https://hypothes.is/a/bDEoiqT3Ee6lAeNajBBsjw]

  10. Nov 2023
    1. In reality, the research experience mattersmore than the topic.”

      Extending off of this, is the reality that the research experience is far easier if one has been taught a convenient method, not only for carrying it out, but space to practice the pieces along the way.

      These methods can then later be applied to a vast array of topics, thus placing method above topic.

  11. Oct 2023
    1. Wu, Prabhumoye, Yeon Min, Bisk, Salakhutdinov, Azaria, Mitchell and Li. "SPRING: GPT-4 Out-performs RL Algorithms byStudying Papers and Reasoning". Arxiv preprint arXiv:2305.15486v2, May, 2023.

    2. Quantitatively, SPRING with GPT-4 outperforms all state-of-the-art RLbaselines, trained for 1M steps, without any training.

      Them's fighten' words!

      I haven't read it yet, but we're putting it on the list for this fall's reading group. Seriously, a strong result with a very strong implied claim. they are careful to say it's from their empirical results, very worth a look. I suspect that amount of implicit knowledge in the papers, text and DAG are helping to do this.

      The Big Question: is their comparison to RL baselines fair, are they being trained from scratch? What does a fair comparison of any from-scratch model (RL or supervised) mean when compared to an LLM approach (or any approach using a foundation model), when that model is not really from scratch.

    1. https://www.youtube.com/watch?v=k_6BjUzwJX8

      via https://everbookforever.com/

      Leather sheet folded into four sections onto itself like a book cover. It holds six folders of pieces of paper (most of them folded in half making mini-booklet pages): - blank paper for future note taking use - templates (project pack, weekly schedule/to do template, project list, project templates) - logbook, journal like, dated, - contains notes, outlines, brain storms, and scratch pad - next actions/workstation (to do lists for email, home, work, calls ) - Project Pack (9 projects for the quarter, each has their own page or mini folder with details) - Work Week or the Weekly Review Folder (areas of focus/project list, yearly calendar on a page for planning, whatever folder, wild ideas,

      When done, all the pages of folders are packed up and wrapped with an elastic band for easy carrying. It's like a paper (looks like A5) notebook deconstructed and filed into paper folders and wrapped in a pretty leather cover.

      As sections are finished/done they can be archived into small booklets and presumably filed.

      This looks shockingly like my own index-card productivity system based on a variety of Memindex/Bullet Journal/GTD.

    1. Those who prefer research methods to be buried may find Ogilvie’s habit of making explicit her archival travails frustrating, but it’s fascinating watching her track the contributors down.

      Link to the hidden process discussed by Keith Thomas:

      Thomas, Keith. “Diary: Working Methods.” London Review of Books, June 10, 2010. https://www.lrb.co.uk/the-paper/v32/n11/keith-thomas/diary.

  12. Jul 2023
    1. When you run out of ideas and desperate, try thinking “opposite” like Fosbury.

      Worth adding to the list of oblique strategies...

      related to methods of proof: direct proofs by day, contradiction by night

      Changing methods of approach to problems

      via khimtan at https://www.instagram.com/p/CpkJHCfJnyW/

    1. CRISP-DM has not been built in a theoretical, academic manner working from technicalprinciples, nor did elite committees of gurus create it behind closed doors.
  13. Jun 2023
    1. 13.19%

      that's a lot!

    2. The Bloom filterswere constructed such that the false positive rate is upperbounded by 1108 . We further verified the low false positiverate by generating 1M strings, of which zero were found bythe filter

      Bloom filters used to determine how much overlap there is between train and test set, to be more sure of their results.

    1. Direct Instruction, a technique in which great hopeswere invested in the USA in the 1970s and 1980s.

      Direct Instruction was a method promulgated in the 1970s and 80s that touted 'teacher-proof' methods, but ultimately didn't pan out. Some of the early gains seen in use of the method were ultimately attributed to generous resourcing rather to the program itself.

      Generous resourcing might then be a better method to attempt from the start? (snarkmark)

    1. Let me preface this by saying I'm talking primarily about method access here, and to a slightly lesser extent, marking classes final, not member access.
  14. Apr 2023
    1. If the target resource does not have a current representation and the PUT successfully creates one, then the origin server MUST inform the user agent by sending a 201 (Created) response. If the target resource does have a current representation and that representation is successfully modified in accordance with the state of the enclosed representation, then the origin server MUST send either a 200 (OK) or a 204 (No Content) response to indicate successful completion of the request.
  15. Mar 2023
    1. Heyde, Johannes Erich. Technik des wissenschaftlichen Arbeitens. (Sektion 1.2 Die Kartei) Junker und Dünnhaupt, 1931.

      annotation target: urn:x-pdf:00126394ba28043d68444144cd504562

      (Unknown translation from German into English. v1 TK)

      The overall title of the work (in English: Technique of Scientific Work) calls immediately to mind the tradition of note taking growing out of the scientific historical methods work of Bernheim and Langlois/Seignobos and even more specifically the description of note taking by Beatrice Webb (1926) who explicitly used the phrase "recipe for scientific note-taking".

      see: https://hypothes.is/a/BFWG2Ae1Ee2W1HM7oNTlYg

      first reading: 2022-08-23 second reading: 2022-09-22

      I suspect that this translation may be from Clemens in German to Scheper and thus potentially from the 1951 edition?

      Heyde, Johannes Erich. Technik des wissenschaftlichen Arbeitens; eine Anleitung, besonders für Studierende. 8., Umgearb. Aufl. 1931. Reprint, Berlin: R. Kiepert, 1951.

    1. General instructions for using a Memindex

      HOW IT IS USED <br /> Things to be done today, jot on face card. Things to be done tomorrow or next Friday, jot on card for that day. Things to keep before you until done, jot on opposite front card. A matter for January 10th jot on a short card put under the band till you return to your desk, then file next to card for January 10th when it will come out and refresh your memory.

      Things to be done when in New York or Chicago jot on card "N" or "C." The new address of Mr. Jones, under "J." Ideas on advertising jot on card tabbed "adv." Things for your clerk to do, on his card , etc., etc. Retire today's card tonight, carrying forward things not completed and put next card in the file in has proved that almost back of pocket case. The alphabet enables one to index all jottings for instant reference. This system is very comprehensive yet perfectly simple. You soon the learn to depend on it every hour of every day.

      Within the general instructions in a 1904 Memindex advertisement (next to an ad for "Genuine Edison Incandescent Lamps") we see the general ideas of indexing things into the future and carrying undone tasks forward, just as is done in the bullet journal method.

    2. Howard L. Wilson, Manufacturer, 45 State St., Rochester, N. Y.<br /> (next to an ad for "Genuine Edison Incandescent Lamps")(p.2 in a 2/3 page ad)

      Carleton, Hubert, ed. St. Andrew’s Cross. Vol. 19. Brotherhood of St. Andrew., 1904.

      Specific issue: Nov-Dec 1904 Vol. 19, No 2-3, Pittsburgh, PA

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

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

      Includes price lists

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

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

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

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

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

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

      Notice the gendering of users specifically as men here.

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

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

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

  16. Feb 2023
    1. Odds ratios (ORs)

      A statistic that quantifies the strength of association between two events, A and B. It is the ratio of the odds of A in the presence of B, the odds of A in the absence of B, the odds of B in the presence of A, or the odds of B in the absence of A.

    Tags

    Annotators

    1. This volume is filled with finely-written, accessible and engaging pieces on such topics as Gibbon’s style, his library and note-taking practices, and his knowledge of the city of Rome.
    1. “I only dowhat is easy. I only write when I immediately know how to do it. If Ifalter for a moment, I put the matter aside and do something else.”(Luhmann et al., 1987, 154f.)[4]

      By "easy" here, I think he also includes the ideas of fun, interesting, pleasurable, and (Csikszentmihalyi's) flow.

    Tags

    Annotators

    1. Things were changing quickly.Eco’s methods of organizing and filing information werestill effective, but word processors and the Internet werebeginning to offer exciting alternatives to long-establishedresearch and writing techniques.

      Esparmer is correct that research and writing did change with the advent of word processors and the internet in the 1990s and early 2000s (p xi), but these were primarily changes to the front and the back of the process. Esparmer and far too many others seem to miss the difference in which affordances were shifting here. The note taking and organization portions still remained the same, so Eco's advice is still tremendously important. Even if one were to do long form notes in notebook format or in digital documents, they would profitably advised to still properly cross-index their notes or have them in a form that allows them to rearrange them most simply with respect to the structuring and creative processes.

      Losing the ability to move ideas around easily, restructure them, link them together and outline them was a tremendous blow in going from the old methods to the new digital ones.

      Did we accidentally become enamored of the new technologies and forget that their affordances didn't completely replace those of the old methods?

  17. Jan 2023
    1. MATERIALS AND METHODS

      What do you notice about the position of the method section in the paper? Is this the same as in the Report Writing Guidelines?

  18. Dec 2022
    1. You can only declare a method with a receiver whose type is defined in the same package as the method. You cannot declare a method with a receiver whose type is defined in another package (which includes the built-in types such as int).

      You can only declare a method with a receiver whose type is defined in the same package as the method.

    2. A method is a function with a special receiver argument.

      A method is a function with a special receiver argument.

    1. Some governments say labs build a culture of innovation. While a comforting idea, it’s wrong. Research from 2017 has found that while many companies and countries are investing in labs, that does not mean they are becoming more innovative. It concluded, “[Innovation] takes a lot more than opening a lab. It takes a disciplined approach on a number of fronts.”

      So while something like an OpenLab can create value, it's not sufficient to bring in more innovation.

      One could also put it this way: Instead of trying to become "the innovation lab" in our organization, why not use the group as a room where we can discuss how we bring innovation individually to our groups.

    1. Keeping track of research materials used to require an excellent memory, exceptional bookkeeping skills or blind luck; now we have databases.

      Love the phrasing of this. :)

    1. To Zotero or not to Zotero?

      reply to: https://www.reddit.com/r/PersonalKnowledgeMgmt/comments/zgvbg4/to_zotero_or_not_to_zotero/

      I don't often add in web pages, but for books and journal articles I love Zotero for quickly bookmarking, tagging, and saving material I want to read. It's worth it's weight in gold just for this functionality even if you're not using it for writing citations in publications.

      Beyond this, because of it's openness and ubiquity it's got additional useful plugins for various functions you may want to play around with and a relatively large number of tools are able to dovetail with it to provide additional functionality. As an example, the ability to dump groups of material from Zotero into ResearchRabbit to discover other literature I ought to consider is a fantastically useful feature one is unlikely to find elsewhere (yet).

    1. At Ipswich, he studied under the unorthodox artist and theorist Roy Ascott, who taught him the power of what Ascott called “process not product.”

      "process not product"


      Zettelkasten-based note taking methods, and particularly that followed by Luhmann, seem to focus on process and not product.

    1. Published in the journal, Proceedings of the Royal Society B, the paper also shows that the mice share similarities in mitochondrial DNA with Scandinavia and northern Germany, but not with mice found in Portugal.

      Use of DNA on rodents to indicate ancient trade and travel.

    1. Procs can't accept blocks as implicit arguments (the format you're trying). A proc can receive other proc objects as arguments, either explicitly, or using & arguments. Example: a = Proc.new do |&block| block.call end a.call() {puts "hi"}
    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.
  19. Nov 2022
    1. All research… All significant research is, in some respects, bottom-up. There is no alternative. And so, the only research that you can do top-down entirely is research for which you already have the solution.

      Research, by design, is a bottom-up process.

    1. Victor Margolin's note taking and writing process

      • Collecting materials and bibliographies in files based on categories (for chapters)
      • Reads material, excerpts/note making on 5 x 7" note cards
        • Generally with a title (based on visual in video)
        • excerpts have page number references (much like literature notes, the refinement linking and outlining happens separately later in his mapping and writing processes)
        • filed in a box with tabbed index cards by chapter number with name
        • video indicates that he does write on both sides of cards breaking the usual rule to write only on one side
      • Uses large pad of newsprint (roughly 18" x 24" based on visualization) to map out each chapter in visual form using his cards in a non-linear way. Out of the diagrams and clusters he creates a linear narrative form.
      • Tapes diagrams to wall
      • Writes in text editor on computer as he references the index cards and the visual map.

      "I've developed a way of working to make this huge project of a world history of design manageable."<br /> —Victor Margolin

      Notice here that Victor Margolin doesn't indicate that it was a process that he was taught, but rather "I've developed". Of course he was likely taught or influenced on the method, particularly as a historian, and that what he really means to communicate is that this is how he's evolved that process.

      "I begin with a large amount of information." <br /> —Victor Margolin

      "As I begin to write a story begins to emerge because, in fact, I've already rehearsed this story in several different ways by getting the information for the cards, mapping it out and of course the writing is then the third way of telling the story the one that will ultimately result in the finished chapters."<br /> —Victor Margolin

    1. Inevitably, I read and highlight more articles than I have time to fully process in Obsidian. There are currently 483 files in the Readwise/Articles folder and 527 files marked as needing to be processed. I have, depending on how you count, between 3 and 5 jobs right now. I am not going to neatly format all of those files. I am going to focus on the important ones, when I have time.

      I suspect that this example of Eleanor Konik's is incredibly common among note takers. They may have vast repositories of collected material which they can reference or use, but typically don't.

      In digital contexts it's probably much more common that one will have a larger commonplace book-style collection of notes (either in folders or with tags), and a smaller subsection of more highly processed notes (a la Luhmann's practice perhaps) which are more tightly worked and interlinked.

      To a great extent this mirrors much of my own practice as well.

    1. Carlin’s bags of categorized ideas, from the archives of George Carlin

      George Carlin kept his slips (miscellaneous scraps of collected paper with notes) sorted by topic name in Ziploc bags (literally that specific brand given the photo's blue/purple signature on the bag locks).

      This is similar to others, including historian Keith Thomas, who kept his in labeled envelopes.

  20. Oct 2022
    1. When I go to libraries or archives, I make notes in a continuous form on sheets of paper, entering the page number and abbreviated title of the source opposite each excerpted passage. When I get home, I copy the bibliographical details of the works I have consulted into an alphabeticised index book, so that I can cite them in my footnotes. I then cut up each sheet with a pair of scissors. The resulting fragments are of varying size, depending on the length of the passage transcribed. These sliced-up pieces of paper pile up on the floor. Periodically, I file them away in old envelopes, devoting a separate envelope to each topic. Along with them go newspaper cuttings, lists of relevant books and articles yet to be read, and notes on anything else which might be helpful when it comes to thinking about the topic more analytically. If the notes on a particular topic are especially voluminous, I put them in a box file or a cardboard container or a drawer in a desk. I also keep an index of the topics on which I have an envelope or a file. The envelopes run into thousands.

      Historian Keith Thomas describes his note taking method which is similar to older zettelkasten methods, though he uses larger sheets of paper rather than index cards and files them away in topic-based envelopes.

    2. In his splendid recent autobiography, History of a History Man, Patrick Collinson reveals that when as a young man he was asked by the medievalist Geoffrey Barraclough at a job interview what his research method was, all he could say was that he tried to look at everything which was remotely relevant to his subject: ‘I had no “method”, only an omnium gatherum of materials culled from more or less everywhere.’

      How does a medievalist reference "omnium gatherum" without an explicit mention of even florilegia which generally translates as "gatherings of flowers" as their method?!

    1. method," and the method known variously as the "see-say,""look-say," "look-and-say," or "word method." Doubtless experiments are now being undertaken in methods and approaches that differ from all of these. It is perhaps too earlyto tell whether any of these is the long-sought panacea forall reading ills.

      Hence, researchers are very active at the present time, and their work has resulted in numerous new approaches to reading instruction. Among the more important new programs are the so-called eclectic approach, the individualized reading approach, the language-experience approach, the various approaches based on linguistic principles, and others based more or less closely on some kind of programmed instruction. In addition, new mediums such as the Initial Teaching Alphabet ( i.t.a. ) have been employed, and sometimes these involve new methods as well. Still other devices and programs are the "total immersion method," the "foreign-language-school

      Have we ultimately come to the conclusion that neurodiversity means there is no one-size-fits all solution? Should we also be placing some focus on orality and memory methods to allow those to flourish as well? Where is the literature on "orality pedagogy"? Is it a thing? It should be...

    1. Il y a un point, en particulier, qui me frappe chaque jour davantage : ce que l’archive du chercheur d’hier peut apprendre au chercheur d’aujourd’hui, sur le plan de la méthodologie.

      Translation:

      There is one point in particular that strikes me more every day: what the archive of yesterday's researcher can teach today's researcher, in terms of methodology.

      With the rarer exceptions of writers like Erasmus, Melanchthon, Agricola, U. Eco, and G. Weinberg who wrote manuals or others like John Locke (on Indices), E. Bernheim, Langlois/Seignobos, and B. Webb who tucked reasonable advice on research and note taking methods in their texts or appendices one of the benefits of of researcher archives is not just the historical record of the researcher's evolving thought, but to actually show specific types of methodology and changes through time.

    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)

    2. Goutor breaks down the post-processing of notes into two phases: "coding" (tagging or categorization) and "cross-referencing". (p31).

    3. There is a difference between various modes of note taking and their ultimate outcomes. Some is done for learning about an area and absorbing it into one's own source of general knowledge. Others are done to collect and generate new sorts of knowledge. But some may be done for raw data collection and analysis. Beatrice Webb called this "scientific note taking".

      Historian Jacques Goutor talks about research preparation for this sort of data collecting and analysis though he doesn't give it a particular name. He recommends reading papers in related areas to prepare for the sort of data acquisition one may likely require so that one can plan out some of one's needs in advance. This will allow the researcher, especially in areas like history or sociology, the ability to preplan some of the sorts of data and notes they'll need to take from their historical sources or subjects in order to carry out their planned goals. (p8)

      C. Wright Mills mentions (On Intellectual Craftsmanship, 1952) similar research planning whereby he writes out potential longer research methods even when he is not able to spend the time, effort, energy, or other (financial) resources to carry out such plans. He felt that just the thought experiments and exercise of doing such unfulfilled research often bore fruit in his other sociological endeavors.

    4. Goutor's description is offered as an outline of a mechanical method which he hopes will provide a greater level of efficiency, but which might be adapted to each researcher's work and needs. He also specifically offers it as a method to be used for "constructing some sort of final product". He considers it as serving the functions of gathering, organizing, storing and retrieving information.

      (p3, Introduction)

    5. Goutor indicates that "a certain amount of individual in methods is commendable, and indeed necessary." but that "it soon becomes apparent that there are some ways of doing things more efficient and ultimately more productive than others". But he goes on to bemoan that how to manuals offer little help.

      (p3, Introduction)

  21. Sep 2022
    1. Thesheets must always be of equal size, or at least of equal height in order not to get stuck or beoverlooked when manually searching for sheets or adding them.

    Tags

    Annotators

    1. The fact that too much order can impede learning has becomemore and more known (Carey 2014).
    2. After looking at various studies fromthe 1960s until the early 1980s, Barry S. Stein et al. summarises:“The results of several recent studies support the hypothesis that

      retention is facilitated by acquisition conditions that prompt people to elaborate information in a way that increases the distinctiveness of their memory representations.” (Stein et al. 1984, 522)

      Want to read this paper.

      Isn't this a major portion of what many mnemotechniques attempt to do? "increase distinctiveness of memory representations"? And didn't he just wholly dismiss the entirety of mnemotechniques as "tricks" a few paragraphs back? (see: https://hypothes.is/a/dwktfDiuEe2sxaePuVIECg)

      How can one build or design this into a pedagogical system? How is this potentially related to Andy Matuschak's mnemonic medium research?

    3. This is not so different from when elaboration is recommended asa “learning method.” As a method, it has been proven to be moresuccessful than any other approach (McDaniel and Donnelly 1996).

      Elaboration has been shown to be the most successful learning approach. (See McDaniel and Donnelly 1996) It is a two step process of being able to write about it and to use it in alternate contexts.

      How is the Feynman Technique similar to/different from elaboration? It would seem to be missing the second portion.

      This is one of the first times I've come across another word for part of the Feynman technique I've been looking for.

    1. categorical reading method

      Not well defined. What do they mean specifically by categorical reading methods? CERIC may be one, but what are others? Are they standardized?

    2. The primary motivation behind categorical reading methods isto dissect each paper's structure and central argument using theabove conceptual model (Figure 1).

      This appears to be the closed definition in the paper for the idea of categorical reading methods. They only provide one example without any comparison or contrast for better contextualization.

      What is a more concrete idea for this particular term?

    1. Andy 10:31AM Flag Thanks for sharing all this. In a Twitter response, @taurusnoises said: "we are all participating in an evolving dynamic history of zettelkasten methods (plural)". I imagine the plurality of methods is even more diverse than indicated by @chrisaldrich, who seems to be keen to trace everything through a single historical tradition back to commonplace books. But if you consider that every scholar who ever worked must have had some kind of note-taking method, and that many of them probably used paper slips or cards, and that they may have invented methods relatively independently and tailored those methods to diverse needs, then we are looking at a much more interesting plurality of methods indeed.

      Andy, I take that much broader view you're describing. I definitely wouldn't say I'm keen to trace things through one (or even more) historical traditions, and to be sure there have been very many. I'm curious about a broad variety of traditions and variations on them; giving broad categorization to them can be helpful. I study both the written instructions through time, but also look at specific examples people have left behind of how they actually practiced those instructions. The vast majority of people are not likely to invent and evolve a practice alone, but are more likely likely to imitate the broad instructions read from a manual or taught by teachers and then pick and choose what they feel works for them and their particular needs. It's ultimately here that general laziness is likely to fall down to a least common denominator.

      Between the 8th and 13th Centuries florilegium flouished, likely passed from user to user through a religious network, primarily facilitated by the Catholic Church and mendicant orders of the time period. In the late 1400s to 1500s, there were incredibly popular handbooks outlining the commonplace book by Erasmus, Agricola, and Melancthon that influenced generations of both teachers and students to come. These traditions ebbed and flowed over time and bent to the technologies of their times (index cards, card catalogs, carbon copy paper, computers, internet, desktop/mobile/browser applications, and others.) Naturally now we see a new crop of writers and "influencers" like Kuehn, Ahrens, Allosso, Holiday, Forte, Milo, and even zettelkasten.de prescribing methods which are variously followed (or not), understood, misunderstood, modified, and changed by readers looking for something they can easily follow, maintain, and which hopefully has both short term and long term value to them.

      Everyone is taking what they want from what they read on these techniques, but often they're not presented with the broadest array of methods or told what the benefits and affordances of each of the methods may be. Most manuals on these topics are pretty prescriptive and few offer or suggest flexibility. If you read Tiago Forte but don't need a system for work or project-based productivity but rather need a more Luhmann-like system for academic writing, you'll have missed something or will only have a tool that gets you part of what you may have needed. Similarly if you don't need the affordances of a Luhmannesque system, but you've only read Ahrens, you might not find the value of simplified but similar systems and may get lost in terminology you don't understand or may not use. The worst sin, in my opinion, is when these writers offer their advice, based only on their own experiences which are contingent on their own work processes, and say this is "the way" or I've developed "this method" over the past decade of grueling, hard-fought experience and it's the "secret" to the "magic of note taking". These ideas have a long and deep history with lots of exploration and (usually very little) innovation, but an average person isn't able to take advantage of this because they're only seeing a tiny slice of these broader practices. They're being given a hammer instead of a whole toolbox of useful tools from which they might choose. Almost none are asking the user "What is the problem you're trying to solve?" and then making suggestions about what may or may not have worked for similar problems in the past as a means of arriving at a solution. More often they're being thrown in the deep end and covered in four letter acronyms, jargon, and theory which ultimately have no value to them. In other cases they're being sold on the magic of productivity and creativity while the work involved is downplayed and they don't get far enough into the work to see any of the promised productivity and creativity.

    1. The second is the fact that, formany persons, the tasks of critical scholarship arenot without their charm; nearly every one findsin them a singular satisfaction in the long runand some have confined themselves to these taskswho might, strictly speaking, have aspired to higherthings.

      what about people who may have been on the spectrum, and naturally suited to these endeavors, but who may have wished to hide from the resultant fame or notoreity? Those researchers surely existed in the past.

      What about the quickening of these research databases in the digital era that allow researchers like Thomas Piketty to do work on the original sources, but still bring them into a form that allows the analysis and writing critically about them over the span of their own lifetimes? How many researchers are there like this?

    2. It would be very interesting to have information on the methodsof work of the great scholars, particularly those who undertooklong tasks of collection and classification. Some information ofthis kind is to be found in their papers, and occasionally in theircorrespondence. On the methods of Du Cange, see L. Feugfere, Mudesur la vie et les ouvrages de Du Gomge (Paris, 1858, 8vo), pp. 62 sqq_,

      Indeed! I find myself having asked this particular question in a similar setting/context before!!!

  22. Aug 2022
    1. https://occidental.substack.com/p/the-adlernet-guide-part-ii?sd=pf

      Description of a note taking method for reading the Great Books: part commonplace, part zettelkasten.

      I'm curious where she's ultimately placing the cards to know if the color coding means anything in the end other than simply differentiating the card "types" up front? (i.e. does it help to distinguish cards once potentially mixed up?)

    1. German publishers send out so-called book cards to book shops along with their newreleases. On them, bibliographic information is printed. Those book cards are also in postcardsize, i.e. A6, and their textual structure allows for them to be included in the reference filebox.

      Automatic reference cards!

      When did they stop doing this!!!

    2. In the mercantile world, the energy- and time consuming note book process has been replacedwith a file card system because competition forces them to save time and energy.

      note the evolution here based on competition from practices in another field (accounting)

      What was his experience within accounting and these traditions?

    3. The sheet box

      Interesting choice of translation for "Die Kartei" by the translator. Some may have preferred the more direct "file".

      Historically for this specific time period, while index cards were becoming more ubiquitous, most of the prior century researchers had been using larger sheets and frequently called them either slips or sheets based on their relative size.

      Beatrice Webb in 1926 (in English) described her method and variously used the words “cards”, “slips”, “quarto”, and “sheets” to describe notes. Her preference was for quarto pages which were larger pages which were likely closer to our current 8.5 x 11” standard than they were to even larger index cards (like 4 x 6".

      While I have some dissonance, this translation makes a lot of sense for the specific time period. I also tend to translate the contemporaneous French word “fiches” of that era as “sheets”.

      See also: https://hypothes.is/a/OnCHRAexEe2MotOW5cjfwg https://hypothes.is/a/fb-5Ngn4Ee2uKUOwWugMGQ

    1. Gibbon for instance made all his notes

      Historian Edward Gibbon made all of his notes "in books of fast-bound leaves".

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

    1. the slips by the topicalheadings. Guide cards are useful to gdicate the several head-ings and subheadings. Under each heading classif the slipsin writing, discarding any that may not prove useful andmaking cross references for notes which may be needed foruse in more than one lace. This classification will reveal,almost automatically, wiere there are deficiencies in the ma-terials collected which should be remedied. The completedand classified collection of notes then becomes the basis ofcomposition.

      missing some textual context here for full quote...

      Dutcher is recommending arranging notes and cards by topical headings in a commonplace sort of method. He does recommend a sub-arrangement of placing them in logical order for one's writing however. He goes even further and indicates one may "make cross references for notes which may be needed for use in more than one place." Which provides an early indication of linking or cross linking cards to multiple places within in one's card index. (Has this cross referencing (linking) idea appeared in the literature specifically before, or is this an early instantiation of this idea?)

    2. 111. RESEARC

      Dutcher suggest that there are three "purposes in reading": information, thought, and style.

    1. Technik des wissenschaftlichen Arbeitens by Johannes Erich Heyde( Book )29 editions published between 1931 and 1970 in 3 languages and held by 197 WorldCat member libraries worldwide
    2. Technik des Wissenschaftlichen Arbeitens. Eine anleitung, besonders für Studierende, mit Ausführlichem Schriftenverzeichnis by Johannes Erich Heyde( Book )25 editions published between 1933 and 1951 in German and Undetermined and held by 114 WorldCat member libraries worldwide
    3. Technik des wissenschaftlichen Arbeitens; eine Anleitung, besonders für Studierende by Johannes Erich Heyde( Book )32 editions published between 1931 and 1951 in German and held by 179 WorldCat member libraries worldwide
    1. https://scottscheper.com/letter/36/

      Clemens Luhmann, Niklas' son, has a copy of a book written in German in 1932 and given to his father by Friedrich Rudolf Hohl which ostensibly is where Luhmann learned his zettelkasten technique. It contains a 34 page chapter titled Die Kartei (the Card Index) which has the details.

    1. Heyde, Johannes Erich. 1931. Technik des wissenschaftlichen Arbeitens. Zeitgemässe Mittelund Verfahrensweisen: Eine Anleitung, besonders für Studierende, 3rd ed. Berlin: Junkerund Dünhaupt.

      A manual on note taking practice that Blair quotes along with Paul Chavigny as being influential in the early 21st century.

    1. Malachy Walsh23 hr agoI'm 75 years old. Unfortunately I rejected the notecard method when it was taught in high school, instead choosing cumbersome notebooks all the way through graduate school...until Richard McKeon at University of Chicago recommended using notecards not only as a record of my reading and other experiences but also as a source of creative and rhetorical invention. This was a mind opening, life changing perspective. His only rule: each card or slip should pose and answer a single question. He recommended organizing all journal entries by one of the following topics: 1. By the so called great ideas in the Syntopticon. 2. By work or business projects, activities and events(I spent my life as an advertising man, juggling many assignments over 30 years, from Frosted Flakes to The Marines to Ford). 3. By great books worthy of Adler's analytical readings. 4. By everyday living topics like family, friends, health, wealth, politics, business, car, house, occasions, etc. This way of working has served me well. I believe a proper book case is half full of books and half full of boxes of notes about those books. Notice that McKeon's advice is not limited to writing and reflecting about the books we read. McKeown also encourages reflection on all areas of experience that are important to us. I guess I have an Aristotelian view that our lives consist of thinking, doing, making, and interacting and that writing offers us a way of connecting our thinking with these other activities. So, the nature, scope, and shape our "note system" should be designed to help us engage successfully in our day to day activities and long term enterprises. How should follow What and Why, connect with Who, and fit with When and Where. Any success I have had in business or personal life I attribute to McKeon's advice.

      Richard McKeon's advice, as relayed by a student, on how to take notes using an index card based practice.

      Does he have a written handbook or advice on his particular method?

  23. Jul 2022
    1. The industrious apprentice will find in the Appendix (C) a short memorandumon the method of analytic note-taking, which we have found most convenient inthe use of documents and contemporaneous literature, as well as in the recording ofinterviews and personal observations.

      method of analytic note-taking from Beatrice Webb

    2. in a later chapter I call it syntheticnote-taking, in order to distinguish it from the analytic note¬taking upon which historical work is based.

      Webb distinguishes synthetic note taking from analytic note taking.

    3. THE ART OF NOTE-TAKING

      Beatrice Webb's suggestions: - Use sheets of paper and not notebooks, specifically so one can re-arrange, shuffle, and resort one's notes - She uses quarto pages as most convenient (quarto sizes have varied over time, but presumably hers were in the range of 8.5 x 11" sheets of paper, and thus rather large compared to index cards

      It takes some careful attention, but her description of her method and how she used it in a pre-computer era is highly indicative of the fact that Beatrice Webb was actively creating a paper database system which she could then later query to compile data to either elicit insight or to prove answers to particular questions.

      She specifically advises that one keep one and only one sort of particular types of data on each card whether that be dates, locations, subjects, or categories of facts. This is directly equivalent to the modern database design of only keeping one value in a particular field. As a result, each sheet within her notes might be equivalent to a row of related data which might contain a variety of different types of individual data. By not mixing data on individual sheets one can sort and resort their tables and effectively search through them without confusing data types.

      Her work and examples here would have been in the period of 1890 and 1910 (she specifically cites that this method was used for her research on the "principles of 1834" which was subsequently published as English Poor Law Policy in 1910) at a time after Basile Bouchon and Joseph Marie Jacquard and contemporaneously with Herman Hollerith who were using punched cards for some of this sort of work.

    1. I'm trying to get info OUT of my note-taking system. It's not as easy as I'd like it to be.

      This is one of the biggest problems with any of the systems digital or analog. The workflows for this are all generally not great.

      I'm actually trying some advice from Konrad Gessner from the 1500s today. I've printed out some of my digital notes about Tiago Forte's new book to arrange and organize them in an attempt to reuse all my writing and thinking about it into a review of the book. It'll probably take a bit as I've left them for a week or two, but I'm curious to see what the manual process looks like here in an effort to help make the digital portion potentially easier.

    1. the behavioral sciences have commonly insisted upon certain arbi-trary methodological restrictions that make it virtually impossible for scientificknowledge of a nontrivial character to be attained.

      What specifically?

    Tags

    Annotators

  24. Jun 2022
    1. There is no single right way to build a Second Brain. Your systemcan look like chaos to others, but if it brings you progress anddelight, then it’s the right one.

      All this description and prescription, then say this?!

      I'll agree that each person's system should be their own and work for them, but it would have been more helpful to have this upfront and then to have looked at a broad array of practices and models for imitation to let people pick and choose from a variety of practices instead of presenting just one dish on the menu: P.A.R.A. with a side of C.O.D.E.

    2. There is one more layer we can add, though

      This four layer processing thing is painful and I suspect few are going to spend this much time on so many potential ideas.

      Ahren's framing of fleeting notes and permanent notes is quicker and easier.

      Also missing is any sort of inherent link to any other ideas or even to a broader index to make it somewhat easier to find/use. Simply filing it into a folder, even an "important" one seems fairly useless and make-work.

    3. Our notes are things to use,not just things to collect.

      Many people take notes, they just don't know where they're taking them to. It's having a concrete use for them after you've written them down that makes all the difference. At this point, most would say that they do read back over them, but this generally creates a false sense of learning through familiarity. Better would be turning them into spaced repetition flashcards, or linking them to ideas and thoughts already in our field of knowledge to see if and where they fit into our worldview.

      link to - research on false feeling of knowledge by re-reading notes in Ahrens

    4. Instead of organizing ideas according to where they come from, Irecommend organizing them according to where they are going

      This is a useful distinction.

    1. One of my frustrations with the “science of learning” is that to design experiments which have reasonable limits on the variables and can be quantitatively measured results in scenarios that seem divorced from the actual experience of learning.

      Is the sample size of learning experiments really large enough to account for the differences in potential neurodiversity?

      How well do these do for simple lectures which don't add mnemonic design of some sort? How to peel back the subtle differences in presentation, dynamism, design of material, in contrast to neurodiversities?

      What are the list of known differences? How well have they been studied across presenters and modalities?

      What about methods which require active modality shifts versus the simple watch and regurgitate model mentioned in watching videos. Do people do actively better if they're forced to take notes that cause modality shifts and sensemaking?

    1. I know one magazine editor who hoardsnewspaper and magazine clippings.

      Twyla Tharp tells the story of a colleague who is a magazine editor. They keep a pile of clippings of phots, illustrations, and stories in their desk and mine it, often with others, for something that will create story ideas for new work.

      This method is highly similar to that of Eminem's "Stacking Ammo" method.

    1. Sönke Ahrens’ How to Take Smart Notes changed so much.Now everyone is condemning note-takers (those collecting knowledge in heaps, e.g. via the good old Evernote) and praising note makers (those selecting their notes and linking them to other knowledge and producing their own thinking through them, e.g. via newish tools such as Obsidian)

      In the framing here, I don't think it was so much Ahren's book, but the florescence of note taking tools (many of them very technical and appealing to the male/techbro crowd mentioned earlier in the piece). Though perhaps some of this tech crowd were influenced by Ahrens to make these tools which simply accelerated the space.

    1. The four principles Niklas Luhmann used to build his notebox system are: Analog Numeric-alpha Tree Index The first letters of those four principles (A, N, T, I) are what comprise an Antinet. An Antinet Zettelkasten is a network of these four principles.

      The four principles Niklas Luhmann used to build his notebox system are:

      1. Analog
      2. Numeric-alpha
      3. Tree
      4. Index

      The first letters of those four principles (A, N, T, I) are what comprise an Antinet. An Antinet Zettelkasten is a network of these four principles.

  25. May 2022
    1. The last element in his file system was an index, from which hewould refer to one or two notes that would serve as a kind of entrypoint into a line of thought or topic.

      Indices are certainly an old construct. One of the oldest structured examples in the note taking space is that of John Locke who detailed it in Méthode nouvelle de dresser des recueils (1685), later translated into English as A New Method of Organizing Common Place Books (1706).

      Previously commonplace books had been structured with headwords done alphabetically. This meant starting with a preconceived structure and leaving blank or empty space ahead of time without prior knowledge of what would fill it or how long that might take. By turning that system on its head, one could fill a notebook from front to back with a specific index of the headwords at the end. Then one didn't need to do the same amount of pre-planning or gymnastics over time with respect to where to put their notes.

      This idea combined with that of Konrad Gessner's design for being able to re-arrange slips of paper (which later became index cards based on an idea by Carl Linnaeus), gives us an awful lot of freedom and flexibility in almost any note taking system.


      Building blocks of the note taking system

      • atomic ideas
      • written on (re-arrangeable) slips, cards, or hypertext spaces
      • cross linked with each other
      • cross linked with an index
      • cross linked with references

      are there others? should they be broken up differently?


      Godfathers of Notetaking

      • Aristotle, Cicero (commonplaces)
      • Seneca the Younger (collecting and reusing)
      • Raymond Llull (combinatorial rearrangements)
      • Konrad Gessner (storage for re-arrangeable slips)
      • John Locke (indices)
      • Carl Linnaeus (index cards)
    1. However, the degraded performance across all groups at 6 weeks suggests that continued engagement with memorised information is required for long-term retention of the information. Thus, students and instructors should exercise caution before employing any of the measured techniques in the hopes of obtaining a ‘silver bullet’ for quick acquisition and effortless recall of important data. Any system of memorization will likely require continued practice and revision in order to be effective.

      Abysmally sad that this is presented without the context of any of the work over the last century and a half of spaced repetition.

      I wonder that this point slipped past the reviewers and isn't at least discussed somewhat narratively here.

    1. For Eco on using something like a ZK, see his short book How to Write an Essay. Basically, he writes about making something that we could say is like a ZK, but one card system for each writing assignment.

      Umberto Eco's book How to Write a Thesis (MIT Press, 2015, #) can broadly be thought of as a zettelkasten system, but it advises a separate system for each project or writing assignment. This is generally good advice, and potentially excellent for students on a one-time basis, but it prevents one from benefitting from the work over multiple projects or even a lifetime.

      In some sense, a more traditional approach, and one seen used in Niklas Luhmann's example is to keep different sections separated by broad topics.

      Niklas Luhmann's zettelkasten #1 had 108 broad topics (along with a bibliography and a subject index), and zettelkasten #2 had 11 broad topics. (Cross reference: https://niklas-luhmann-archiv.de/bestand/zettelkasten/inhaltsuebersicht)

      The zettelkasten structure allowed a familiar "folder" like top level structure, but the bibliographic and subject indices allowed them to interlink ideas from one space to the next for longer term work on multiple projects simultaneously.

    1. the lessons you will find within thesepages are built on timeless and unchanging principles

      The ideas behind knowledge management are largely timeless, but they are far from unchanging. They have evolved slowly over 2000+ years until we broadly threw many of them away in the early 20th century.

      One only need read a few pages of Ann M. Blair's Too Much to Know: Managing Scholarly Information before the Modern Age to see some of the changes and shifts within the space from the 1400s on.

    1. $L(#&$'&$+-41,[*$4'2'+18$081**)--C*Y$*+=4#&+*$=*#$+"#*#$+--8*$+-$8#1)&$"-H$+-$H)'+#Y$4)1HY$1&4$0180=81+#$-&$*"##+*$-.$919#)$+"1+Y$H"#&$08'99#4Y$*+198#4Y$-)$28=#4$+-2#+"#)Y$7#0-C#$1$&-+#7--@V

      What are the differences in the affordances of handwritten notes versus digital notes? Worth making a complete list.

  26. Apr 2022
    1. Theories of note-taking can tell us about how memory and writingwere understood, and practices of note-taking, about the tools that proved mostuseful in managing textual information in early modern Europe.

      Historical note taking practices can tell us many things aside from just the ways in which textual information was managed. They can also tell us about how people lived, how they thought, how they used memory and writing and how these things were understood culturally.

      We do however need to be careful in how we interpret these documents historically. We need to attempt to view them exegetically and not eisegetically. We also need to be careful to look at them from a "large world" perspective and not presume that small things had large and heavy influence on things to come in the future.

    2. Francis Bacon explained succinctlythat notes could be made either “by epitome or abridgement” (that is, by sum-marizing the source) or “by heads or commonplaces” (that is, by copying a pas-sage verbatim or nearly so and storing it in a notebook under a commonplaceheading for later retrieval and use). Bacon considered the latter method “of farmore profit and use,” and most note-taking advice focused on this practice of ex-cerpting.46

      This quote is worth looking up and checking its context. Particularly I'm interested to know if the purpose of summarizing the source is to check one's understanding of the ideas as is done in the Feynman technique, or if the purpose is a reminder summary of the piece itself?


      Link to Ahrens mentions of this technique for checking understanding. (Did he use the phrase Feynman in his text?)

    3. The Jesuit Francesco Sac-chini, in contrast, commended the interruption in reading that resulted fromstopping to copy a passage into one’s notebook: it slowed down reading and aidedretention.44
    4. Pedagogues considered marginal annotations as the first, optional step towardthe ultimate goal of forming a free-standing collection of excerpts from one’sreading. In practice, of course, readers could annotate their books without takingthe further step of copying excerpts into notebooks.

      Annotations or notes are definitely the first step towards having a collection of excerpts from one's reading. Where to put them can be a useful question though. Should they be in the margins for ease of creation or should they go into a notebook. Both of these methods may require later rewriting/revision or even moving into a more convenient permanent place. The idea "don't repeat yourself" (DRY) in programming can be useful to keep in mind, but the repetition of the ideas in writing and revision can help to quicken the memory as well as potentially surface additional ideas that hadn't occurred upon the notes' original capture.

    5. An eighteenth- century manual of bookkeeping listed three stages ofrecords a merchant should keep: waste book, journal (arranged in systematicorder), and ledger (featuring an index to access all people, places, and merchan-dise)
    6. Early modern scholars referred most often to merchants as exemplars for theirhabit of keeping two notebooks: a daybook (or journal) to record transactionsin the order in which they occurred and a ledger in which these transactionswere sorted into categories, as in double- entry bookkeeping
    7. During the same period zibaldone designated notebooks kept bywriters, artists, and merchants to record a wide variety of information: outgoingletters, copies of documents, indexes to books, lists of paintings, and excerptscopied from all kinds of texts, including poetry, prose, merchants’ manuals, legalsources, and tables of weights and measures.27
    8. Italian merchants of the fourteenth and fifteenthcenturies are known for keeping ricordanze that combined personal and practicalinformation.

      Compare this with the waste book tradition in accounting.

    9. But it is more difficult in a world of manuscriptsthan in the era of printing to evaluate what constitutes a note—that is, a piece ofwriting not meant for circulation but for private use, say, as preparatory toward afinished work

      Based on this definition of a "note", one must wonder if my public notes here on Hypothes.is are then not notes as they are tacitly circulated publicly from the first use. However they are still specifically and distinctly preparatory towards some future finished work, I just haven't yet decided which ultimate work in which they'll appear.