125 Matching Annotations
  1. Apr 2024
    1. Demand me nothing. What you know, you know.From this time forth I never will speak word.

      His last rebellion, his final influence over the situation -- knowing nothing. And its ironic because he was the source of all knowledge and information that sparked all the events, and now that everything is done, he is still. There is no more movement, even if they would like there to be some. In this way he is really like Shakespeare, having the power to cause and inhibit action through knowledge -- the greed of which is Othello's fatal flaw.

    2. Set you down this,And say besides that in Aleppo once,Where a malignant and a turbaned TurkBeat a Venetian and traduced the state,I took by the throat the circumcisèd dog,And smote him, thus

      By killing himself, he is cleansing the world of his "inner darkness" being a Turk, the beastliness that ruined the superior and ordered Venetian society. It is this, himself, who he kills -- showing he is, at heart, still a Turk, and not the driving motivation that causes all these events to unfold (Iago) -- as Iago is stabbed but has not died. This signifies the curse of suspicion and reason cannot be eliminated -- reason preys on individual people and is not something one can rid. In the end, he chooses once again to rid the tumor of society (which he believes first is his wife, Desdemona, now it is him, the Turk), following honor rather than personal desire.

  2. Feb 2024
    1. Eine neue Studie der Universität für Bodenkultur beziffert erstmals, wieviel Kohlenstoff zwischen 1900 und 2015 langfristig oder kurzfristig in menschlichen Artefakten wie Gebäuden gespeichert wurde. Die Menge des dauerhaft gespeicherten Kohlenstoffs hat sich seit 1900 versechzehnfacht. Sie reicht aber bei weitem nicht aus, um die globale Erhitzung wirksam zu beeinflussen. Die Möglichkeiten, Boot in Gebäuden zu nutzen, um der Atmosphäre CO2 zu entziehen, werden bisher nicht genutzt. https://www.derstandard.at/story/3000000208522/co2-entnahme-durch-holzbau-ist-bisher-nicht-relevant-fuer-den-klimaschutz

      Studie: https://iopscience.iop.org/article/10.1088/1748-9326/ad236b

    1. accepting an answer doesn't mean it is the best one. For me it is interesting how argumentation of some users is reduced to "Hey, the editor has 5000+ edits. Do not ever think that a particular edit was wrong."
    1. other cultures do not think this and that suggests that our sense of self is largely culturally constructed

      for - quote - Sarah Stein Lubrano - quote - self as cultural construction in WEIRD culture - sense of self

      quote - (immediately below)

      • It's just a weird fascination of our weird culture that
        • we think the self is there and
        • it's the best and most likely explanation for human behavior
      • Other people in other cultures do not think this
      • and that suggests that our sense of self is largely culturally constructed

      discussion - sense of self is complex. See the work of - Michael Levin and - https://jonudell.info/h/facet/?max=100&expanded=true&user=stopresetgo&exactTagSearch=true&any=michael+levin - Major Evolutionary Transition in Individuality - https://jonudell.info/h/facet/?max=100&expanded=true&user=stopresetgo&exactTagSearch=true&any=major+evolutionary+transition+in+individuality

  3. Jan 2024
    1. dreaming can be seen as the "default" position for the activated brain

      for - dream theory - dreaming as default state of brain

      • Dreaming can be seen as the "default" position for the activated brain
      • when it is not forced to focus on
        • physical and
        • social reality by
          • (1) external stimuli and
          • (2) the self system that reminds us of
            • who we are,
            • where we are, and
            • what the tasks are
          • that face us.

      Question - I wonder what evolutionary advantage dreaming would bestow to the first dreaming organisms? - why would a brain evolve to have a default behaviour with no outside connection? - Survival is dependent on processing outside information. There seems to be a contradiction here - I wonder what opinion Michael Levin would have on this theory?

    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

  4. Nov 2023
    1. In the West we talk about how matter—body and brain—might be the necessary conditions for the emergence of the mind. That is the scientists’ assumption. However, there is another hypothesis, which is that consciousness itself is the basic stuff of the universe and that we are the emanation of that consciousness as opposed to the origin or the evolutionary source of it. Of course, to accept that we would have to give up the idea that everything is based on some material property
      • for: materialism Vs panpsychism

      • comment

        • Husserl's phenomenology, especially his views on epoche in his later years lean more towards panpsychism although they are different in a nuanced way.
        • there is direct, pure biological phenomenological experience ,- Epoche may give us a taste of it, interment meditation may go further and the deepest meditation of decades of intense practice may re-immerse us in it.
        • Feral children who grow into feral adults, an extremely rare occurrence, may have an immersive experience of it
        • social conditioning of language bind meaning tightly to our construction and experience of objects in our sensory field
        • it is extremely difficult to disentangle our conditioned meaning with prelinguistic phenomenological experience of reality
        • spiritual awakening or enlightenment would appear to show that it is possible
        • When we attach such strong meaning to ideas, such as to scientific ideas, "material* objects, in spite of their attached, implicit symbolic complexity, appear to have a natural, autonomous and obvious existence.
        • in this way, our conscious constructs become solidified and mistaken for concrete, autonomously existent objects. Consciousness then comes to mistaken variants of consciousness itself with autonomously existent objects
    1. I 01:00:30 think that a proper version of the concept of synchronicity would talk about multiscale patterns so that when you're looking at electrons in the computer you would say isn't it amazing that these electrons went over here and 01:00:42 those went over there but together that's an endgate and by the way that's part of this other calculation like amazing down below all they're doing is following Maxwell's equations but looked at at another level wow they just just 01:00:54 computed the weather in you know in in Chicago so I I I think what you know I it's not about well I was going to say it's not about us and uh and our human tendency to to to to pick out patterns 01:01:07 and things like but actually I I do think it's that too because if synchronicity is is simply how things look at other scales
      • for: adjacency - consciousness - multiscale context

      • adjacency between

        • Michael's example
        • my idea of how consciousness fits into a multiscale system
      • adjacency statement
        • from a Major Evolutionary Transition of Individuality perspective, consciousness might be seen as a high level governance system of a multicellular organism
        • this begs the question: consciousness is fundamentally related to individual cells that compose the body that the consciousness appears to be tethered to
        • question: Is there some way for consciousness to directly access the lower and more primitive MET levels of its own being?
  5. Oct 2023
    1. HTML had blown open document publishing on the internet

      ... which may have really happened, per se, but it didn't wholly incorporate (subsume/cannibalize) conventional desktop publishing, which is still in 2023 dominated by office suites (a la MS Word) or (perversely) browser-based facsimiles like Google Docs. Because the Web as it came to be used turned out to be as a sui generis medium, not exactly what TBL was aiming for, which was giving everything (everything—including every existing thing) its own URL.

    1. Water immobilization is a cool thing! The simplest way to accomplish it is by freezing. But can you think of how water might be immobilized (so to speak) at temperatures above freezing, say at 50°F (10°C)? Think Jell-O and a new process that mimics caviar and you have two methods that nearly stop water in its tracks.

      I learned that science and cooking is always connected. Even if we don't think about it in every day life like when water evaporates or freezes it is chemistry. But what I found most interesting that I learned is how water immobilization works, or to put it more simply the science behind Jell-O. When you add gelatin to water it traps the water molecules in place which creates the sort of liquid and solid hybrid we find with Jell-O.

  6. Sep 2023
      • for: bio-buddhism, buddhism - AI, care as the driver of intelligence, Michael Levin, Thomas Doctor, Olaf Witkowski, Elizaveta Solomonova, Bill Duane, care drive, care light cone, multiscale competency architecture of life, nonduality, no-self, self - illusion, self - constructed, self - deconstruction, Bodhisattva vow
      • title: Biology, Buddhism, and AI: Care as the Driver of Intelligence
      • author: Michael Levin, Thomas Doctor, Olaf Witkowski, Elizaveta Solomonova, Bill Duane, AI - ethics
      • date: May 16, 2022
      • source: https://www.mdpi.com/1099-4300/24/5/710/htm

      • summary

        • a trans-disciplinary attempt to develop a framework to deal with a diversity of emerging non-traditional intelligence from new bio-engineered species to AI based on the Buddhist conception of care and compassion for the other.
        • very thought-provoking and some of the explanations and comparisons to evolution actually help to cast a new light on old Buddhist ideas.
        • this is a trans-disciplinary paper synthesizing Buddhist concepts with evolutionary biology
    1. Another feature of this vision that aligns well with Buddhist ideas is the lack of a permanent, unique, unitary Self [68]. The picture given by the evolutionary cell-biological perspective is one where a cognitive agent is seen as a self-reinforcing process (the homeostatic loop), not a thing [69,70,71].
      • for: illusory self, non-self, lack of self, organism - as process, human INTERbeCOMing, bio-buddhism, biology - buddhism
  7. Jun 2023
    1. Lost history ± the web is designed for society,but crucially it neglects one key area: its history.Information on the web is today's information.Yesterday's information is deleted or overwrit-ten

      It's my contention that this is a matter of people misusing the URL (and the Web, generally); Web pages should not be expected to "update" any more than you expect the pages of a book or magazine or a journal article to be self-updating.

      We have taken the original vision of the Web -- an elaborately cross-referenced information space whose references can be mechanically dereferenced -- and rather than treating the material as imbued with a more convenient digital access method and keeping in place the well-understood practices surrounding printed copies, we compromised the entire project by treating it as a sui generis medium. This was a huge mistake.

      This can be solved by re-centering our conception of what URLs really are: citations. The resources on the other sides of a list of citations should not change. To the extent that anything ever does appear to change, it happens in the form of new editions. When new editions come out, nobody goes around snapping up the old copies and replacing it for no charge with the most recent one while holding the older copies hostage for a price (or completely inaccessible no matter the price).

  8. May 2023
    1. One click to turn any web page into a card. Organize your passions.

      https://aboard.com/

      In beta May 2023, via:

      All right. @Aboard is in Beta. @richziade and I are to blame, and everyone else deserves true credit. Here's an animated GIF that explains the entire product. Check out https://t.co/i9RXiJLvyA, sign up, and we're waving in tons of folks every day. pic.twitter.com/7WS1OPgsHV

      — Paul Ford (@ftrain) May 17, 2023
      <script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>
    1. If you doubt my claim that internet is broad but not deep, try this experiment. Pick any firm with a presence on the web. Measure the depth of the web at that point by simply counting the bytes in their web. Contrast this measurement with a back of the envelope estimate of the depth of information in the real firm. Include the information in their products, manuals, file cabinets, address books, notepads, databases, and in each employee's head.
    1. Requesting advice for where to put a related idea to a note I'm currently writing .t3_13gcbj1._2FCtq-QzlfuN-SwVMUZMM3 { --postTitle-VisitedLinkColor: #9b9b9b; --postTitleLink-VisitedLinkColor: #9b9b9b; --postBodyLink-VisitedLinkColor: #989898; } Hi! I am new to building a physical ZK. Would appreciate some help.Pictures here: https://imgur.com/a/WvyNVXfI have a section in my ZK about the concept of "knowledge transmission" (4170/7). The below notes are within that section.I am currently writing a note about how you have to earn your understanding... when receiving knowledge / learning from others. (Picture #1)Whilst writing this note, I had an idea that I'm not quite sure belongs on that note itself - and I'm not sure where it belongs. About how you also have to "earn" the sharing of knowledge. (Picture #2)Here are what I think my options are for writing about the idea "you have to earn your sharing of knowledge":Write this idea on my current card. 4170/7/1Write this idea on a new note - as a variant idea of my current note. 4170/7/1aWrite this idea on a new note - as a continuation of my current note. 4170/7/1/1Write this idea on a new note - as a new idea within my "knowledge transmission" branch. 4170/7/2What would you do here?

      reply to u/throwthis_throwthat at https://www.reddit.com/r/antinet/comments/13gcbj1/requesting_advice_for_where_to_put_a_related_idea/

      I don't accept the premise of your question. This doesn't get said often enough to people new to zettelkasten practice: Trust your gut! What does it say? You'll learn through practice that there are no "right" answers to these. Put a number on it, file it, and move on. Practice, practice, practice. You'll be doing this in your sleep soon enough. As long as it's close enough, you'll find it. Save your mental cycles for deeper thoughts than this.

      Asking others for their advice is fine, but it's akin to asking a well-practiced mnemonist what visual image they would use to remember something. Everyone is different and has different experiences and different things that make their memories sticky for them. What works incredibly well for how someone else thinks and the level of importance they give an idea is never as useful or as "true" as how you think about it. Going with your gut is going to help you remember it better and is far likelier to make it easier to find in the future.

    1. The few notes I did refer back to frequently where checklists, self-written instructions to complete regular tasks, lists (reading lists, watchlists, etc.) or recipes. Funnily enough the ROI on these notes was a lot higher than all the permanent/evergreen/zettel notes I had written.

      Notes can be used for different purposes.

      • productivity
      • Knowledge
        • basic sense-making
        • knowledge construction and dispersion

      The broad distinction is between productivity goals and knowledge. (Is there a broad range I'm missing here within the traditions?) You can take notes about projects that need to be taken care of, lists of things to do, reminders of what needs to be done. These all fall within productivity and doing and checking them off a list will help one get to a different place or location and this can be an excellent thing, particularly when the project was consciously decided upon and is a worthy goal.

      Notes for knowledge sake can be far more elusive for people. The value here generally comes with far more planning and foresight towards a particular goal. Are you writing a newsletter, article, book, or making a video or performance of some sort (play, movie, music, etc.)? Collecting small pieces of these things on a pathway is then important as you build your ideas and a structure toward some finished product.

      Often times, before getting to this construction phase, one needs to take notes to be able to scaffold their understanding of a particular topic. Once basically understood some of these notes may be useless and not need to be reviewed, or if they are reviewed, it is for the purpose of ensconcing ideas into long term memory. Once this is finished, then the notes may be broadly useless. (This is why it's simple to "hide them with one's references/literature notes.) Other notes are more seminal towards scaffolding ideas towards larger projects for summarization and dissemination to other audiences. If you're researching a topic, a fair number of your notes will be used to help you understand the basics while others will help you to compare/contrast and analyze. Notes you make built on these will help you shape new structures and new, original thoughts. (note taking for paradigm shifts). These then can be used (re-used) when you write your article, book, or other creative project.

    1. The Web does not yet meet its design goal as being a pool of knowledge that is as easy to update as to read. That level of immediacy of knowledge sharing waits for easy-to-use hypertext editors to be generally available on most platforms. Most information has in fact passed through publishers or system managers of one sort or another.

    1. For $1,900.00 ?

      reply to rogerscrafford at tk

      Fine furniture comes at a fine price. 🗃️🤩 I suspect that it won't sell for quite a while and one could potentially make an offer at a fraction of that to take it off their hands. It might bear considering that if one had a practice large enough to fill half or more, then that price probably wouldn't seem too steep for the long term security and value of the contents.

      On a price per card of storage for some of the cheaper cardboard or metal boxes you're going to pay about $0.02-0.03 per card, but you'd need about 14 of those to equal this and those aren't always easy to stack and access regularly. With this, even at the full $1,900, you're looking at storage costs of $0.10/card, but you've got a lot more ease of use which will save you a lot of time and headache as more than adequate compensation, particularly if you're regularly using the approximately 20,400 index cards it would hold. Not everyone has the same esthetic, but I suspect that most would find that this will look a lot nicer in your office than 14 cheap cardboard boxes. That many index cards even at discount rates are going to cost you about $825 just in cards much less beautiful, convenient, and highly usable storage.

      Even for some of the more prolific zettelkasten users, this sort of storage is about 20 years of use and if you compare it with $96/year for Notion or $130/year for Evernote, you're probably on par for cost either way, but at least with the wooden option, you don't have to worry about your note storage provider going out of business a few years down the line. Even if you go the "free" Obsidian route, with computers/storage/backups over time, you're probably not going to come out ahead in the long run. It's not all apples to apples comparison and there are differences in some of the affordances, but on balance and put into some perspective, it's probably not the steep investment it may seem.

      And as an added bonus, while you're slowly filling up drawers, as a writer you might appreciate the slowly decreasing wine/whiskey bottle storage over time? A 5 x 8 drawer ought to fit three bottles of wine or as many fifths of Scotch. It'll definitely accommodate a couple of magnums of Jack Daniels. 🥃🍸🍷My experience also tells me that an old fashioned glass can make a convenient following block in card index boxes.

      A crystal old fashioned glass serves as a following block to some index cards and card dividers in a Shaw-Walker card index box (zettelkasten). On the table next to the index are a fifth of Scotch (Glenmorangie) and a bowl of lemons.

  9. Apr 2023
    1. Sorkin had been a heavy smoker since high school — two packs a day of Merits — and the habit had long been inextricable from his writing process. “It was just part of it, the way a pen was part of it,” he said. “I don’t want to talk about it too much, because I’ll start to salivate.”

      For Aaron Sorkin smoking was a tool that was part of his writing process.

    1. Mr. Lorayne did not claim to have invented the mnemonic system that was his stock in trade: As he readily acknowledged, it harked back to classical antiquity. But he was among the first people in the modern era to recognize its use as entertainment, and to parlay it into a highly successful business.

      Harry Lorayne recognized the use of mnemonics as a form of entertainment and parlayed it into a career. Others before him, primarily magicians like David Roth had paved the way for some of this practice.

  10. Mar 2023
    1. Die schiere Menge sprengt die Möglichkeiten der Buchpublikation, die komplexe, vieldimensionale Struktur einer vernetzten Informationsbasis ist im Druck nicht nachzubilden, und schließlich fügt sich die Dynamik eines stetig wachsenden und auch stetig zu korrigierenden Materials nicht in den starren Rhythmus der Buchproduktion, in der jede erweiterte und korrigierte Neuauflage mit unübersehbarem Aufwand verbunden ist. Eine Buchpublikation könnte stets nur die Momentaufnahme einer solchen Datenbank, reduziert auf eine bestimmte Perspektive, bieten. Auch das kann hin und wieder sehr nützlich sein, aber dadurch wird das Problem der Publikation des Gesamtmaterials nicht gelöst.

      Google translation:

      The sheer quantity exceeds the possibilities of book publication, the complex, multidimensional structure of a networked information base cannot be reproduced in print, and finally the dynamic of a constantly growing and constantly correcting material does not fit into the rigid rhythm of book production, in which each expanded and corrected new edition is associated with an incalculable amount of effort. A book publication could only offer a snapshot of such a database, reduced to a specific perspective. This too can be very useful from time to time, but it does not solve the problem of publishing the entire material.


      While the writing criticism of "dumping out one's zettelkasten" into a paper, journal article, chapter, book, etc. has been reasonably frequent in the 20th century, often as a means of attempting to create a linear book-bound context in a local neighborhood of ideas, are there other more complex networks of ideas which we're not communicating because they don't neatly fit into linear narrative forms? Is it possible that there is a non-linear form(s) based on network theory in which more complex ideas ought to better be embedded for understanding?

      Some of Niklas Luhmann's writing may show some of this complexity and local or even regional circularity, but perhaps it's a necessary means of communication to get these ideas across as they can't be placed into linear forms.

      One can analogize this to Lie groups and algebras in which our reading and thinking experiences are limited only to local regions which appear on smaller scales to be Euclidean, when, in fact, looking at larger portions of the region become dramatically non-Euclidean. How are we to appropriately relate these more complex ideas?

      What are the second and third order effects of this phenomenon?

      An example of this sort of non-linear examination can be seen in attempting to translate the complexity inherent in the Wb (Wörterbuch der ägyptischen Sprache) into a simple, linear dictionary of the Egyptian language. While the simplicity can be handy on one level, the complexity of transforming the entirety of the complexity of the network of potential meanings is tremendously difficult.

    1. Sustainable consumption scholars offer several explanations forwhy earth-friendly, justice-supporting consumers falter when itcomes to translating their values into meaningful impact.
      • Paraphrase
      • Claim
        • earth-friendly, justice-supporting consumers cannot translate their values into meaningful impact.
      • Evidence
      • “the shading and distancing of commerce” Princen (1997) is an effect of information assymetry.
        • producers up and down a supply chain can hide the negative social and environmental impacts of their operations, putting conscientious consumers at a disadvantage. //
      • this is a result of the evolution of alienation accelerated by the industrial revolution that created the dualistic abstractions of producers and consumers.
      • Before that, producers and consumers lived often one and the same in small village settings
      • After the Industrial Revolution, producers became manufacturers with imposing factories that were cutoff from the general population
      • This set the conditions for opaqueness that have plagued us ever since. //

      • time constraints, competing values, and everyday routines together thwart the rational intentions of well-meaning consumers (Røpke 1999)

      • assigning primary responsibility for system change to individual consumers is anathema to transformative change (Maniates 2001, 2019)
      • This can be broken down into three broad categories of reasons:

        • Rebound effects
          • https://jonudell.info/h/facet/?max=100&expanded=true&user=stopresetgo&exactTagSearch=true&any=jevon%27s+paradox
          • increases in consumption consistently thwart effciency-driven resource savings across a wide variety of sectors (Stern 2020). -sustainability scholars increasingly critique “effciency” both as:
            • a concept (Shove 2018)
            • as a form of“weak sustainable consumption governance” (Fuchs and Lorek 2005).
          • Many argue that, to be successful, effciency measures must be accompanied by initiatives that limit overall levels of consumption, that is, “strong sustainable consumption governance.
        • Attitude-behavior gap

        • Behavior-impact gap

    1. In a postwar world in which educational self-improvement seemed within everyone’s reach, the Great Books could be presented as an item of intellectual furniture, rather like their prototype, the Encyclopedia Britannica (which also backed the project).

      the phrase "intellectual furniture" is sort of painful here...

  11. Jan 2023
    1. https://www.youtube.com/watch?v=NPqjgN-pNDw


      When did the switch in commonplace book framing did the idea of "second brain" hit? (This may be the first time I've seen it personally. Does it appear in other places?) Sift through r/commonplace books to see if there are mentions there.


      By keeping one's commonplace in an analog form, it forces a greater level of intentionality because it's harder to excerpt material by hand. Doing this requires greater work than arbitrarily excerpting almost everything digitally. Manual provides a higher bar of value and edits out the lower value material.

    1. 个人学习可能取决于他人行为的主张突出了将学习环境视为一个涉及多个互动参与者的系统的重要性
    1. After browsing through a variety of the cards in Gertrud Bauer's Zettelkasten Online it becomes obvious that the collection was created specifically as a paper-based database for search, retrieval, and research. The examples and data within it are much more narrowly circumscribed for a specific use than those of other researchers like Niklas Luhmann whose collection spanned a much broader variety of topics and areas of knowledge.

      This particular use case makes the database nature of zettelkasten more apparent than some others, particularly in modern (post-2013 zettelkasten of a more personal nature).

      I'm reminded here of the use case(s) described by Beatrice Webb in My Apprenticeship for scientific note taking, by which she more broadly meant database creation and use.

  12. Dec 2022
    1. in the third section we're going to focus on the ethical implications of all of this because i think that's really important that's why we do this and then in the fourth part we'll be 00:10:51 talking about what life looks like as a person as opposed to a self and why we should take all of this very seriously

      !- third session : ethical implications of a person without a self !- fourth session :what is the experience of life like when you are a person without a self?

    1. By AD 500, the Christian Church had drawn most of the talented men of theage into its service, in either missionary, organizational, doctrinal, or purelycontemplative activity.—Edward Grant, Physical Science in the Middle Ages

      quote


      Google is like the Catholic Church both as organizers of information and society<br /> Just as the Catholic Church used funding from the masses to employ most of the smartest and talented to its own needs and mission from 500-1000 AD, Google has used advertising technology to collect people and employed them to their own needs. For one, the root was religion and the other technology, but both were organizing people and information for their own needs.

      Who/what organization will succeed them? What will its goals and ethics entail?

      (originally written 2022-12-11)

  13. Oct 2022
    1. @1:10:20

      With HTML you have, broadly speaking, an experience and you have content and CSS and a browser and a server and it all comes together at a particular moment in time, and the end user sitting at a desktop or holding their phone they get to see something. That includes dynamic content, or an ad was served, or whatever it is—it's an experience. PDF on the otherhand is a record. It persists, and I can share it with you. I can deliver it to you [...]

      NB: I agree with the distinction being made here, but I disagree that the former description is inherent to HTML. It's not inherent to anything, really, so much as it is emergent—the result of people acting as if they're dealing in live systems when they shouldn't.

    1. https://www.loom.com/share/a05f636661cb41628b9cb7061bd749ae

      Synopsis: Maggie Delano looks at some of the affordances supplied by Tana (compared to Roam Research) in terms of providing better block-based user interface for note type creation, search, and filtering.


      These sorts of tools and programmable note implementations remind me of Beatrice Webb's idea of scientific note taking or using her note cards like a database to sort and search for data to analyze it and create new results and insight.

      It would seem that many of these note taking tools like Roam and Tana are using blocks and sub blocks as a means of defining atomic notes or database-like data in a way in which sub-blocks are linked to or "filed underneath" their parent blocks. In reality it would seem that they're still using a broadly defined index card type system as used in the late 1800s/early 1900s to implement a set up that otherwise would be a traditional database in the Microsoft Excel or MySQL sort of fashion, the major difference being that the user interface is cognitively easier to understand for most people.

      These allow people to take a form of structured textual notes to which might be attached other smaller data or meta data chunks that can be easily searched, sorted, and filtered to allow for quicker or easier use.

      Ostensibly from a mathematical (or set theoretic and even topological) point of view there should be a variety of one-to-one and onto relationships (some might even extend these to "links") between these sorts of notes and database representations such that one should be able to implement their note taking system in Excel or MySQL and do all of these sorts of things.

      Cascading Idea Sheets or Cascading Idea Relationships

      One might analogize these sorts of note taking interfaces to Cascading Style Sheets (CSS). While there is the perennial question about whether or not CSS is a programming language, if we presume that it is (and it is), then we can apply the same sorts of class, id, and inheritance structures to our notes and their meta data. Thus one could have an incredibly atomic word, phrase, or even number(s) which inherits a set of semantic relationships to those ideas which it sits below. These links and relationships then more clearly define and contextualize them with respect to other similar ideas that may be situated outside of or adjacent to them. Once one has done this then there is a variety of Boolean operations which might be applied to various similar sets and classes of ideas.

      If one wanted to go an additional level of abstraction further, then one could apply the ideas of category theory to one's notes to generate new ideas and structures. This may allow using abstractions in one field of academic research to others much further afield.

      The user interface then becomes the key differentiator when bringing these ideas to the masses. Developers and designers should be endeavoring to allow the power of complex searches, sorts, and filtering while minimizing the sorts of advanced search queries that an average person would be expected to execute for themselves while also allowing some reasonable flexibility in the sorts of ways that users might (most easily for them) add data and meta data to their ideas.


      Jupyter programmable notebooks are of this sort, but do they have the same sort of hierarchical "card" type (or atomic note type) implementation?

    1. https://lifehacker.com/the-pile-of-index-cards-system-efficiently-organizes-ta-1599093089

      LifeHacker covers the Hawk Sugano's Pile of Index Cards method, which assuredly helped promote it to the GTD and productivity crowd.

      One commenter notices the similarities to Ryan Holiday's system and ostensibly links to https://thoughtcatalog.com/ryan-holiday/2013/08/how-and-why-to-keep-a-commonplace-book/

      Two others snarkily reference using such a system to "keep track of books in the library [,,,] Sort them out using decimal numbers on index cards in drawers or something..." and "I need to tell my friend Dewey about this! He would run with it." Obviously they see the intellectual precursors and cousins of the method, though they haven't looked at the specifics very carefully.

      One should note that this may have been one of the first systems to mix information management/personal knowledge management with an explicit Getting Things Done set up. Surely there are hints of this in the commonplace book tradition, but are there any examples that go this far?

    1. there might be a miscellaneous division, which wouldserve as a "tickler" and which might even be equipped with a set ofcalendar guides so that the "follow-up" system may be used.

      An example of a ticker file in the vein of getting things done (GTD) documented using index cards and a card file from 1917. Sounds very familiar to the Pile of Index Cards (PoIC) from the early 2000s.

    1. Bouttes contributedfrequently to Barthes’s seminar and gave an unusual paper at thecolloque de Cerisy called ‘Le diamantfoudre’ (‘The diamond-lightning’). He was darkly dazzling, strange, sombre, unexpected.Barthes thought he had something of Des Esseintes about him,witness an anecdote noted in his card index diary: ‘J.L.: in a phasewhere, in the restaurant, he deconstructs the menus, greatlyshocking the waiters. The other evening, at Prunier’s, oysters andoyster gratin, yesterday, at Le Balzar, oeuf en gelée and oysters,coffee ice cream and ice cream.’59
      1. BNF, NAF 28630, ‘Grand fichier’, 3 January 1975.

      Roland Barthes' biographer Tiphaine Samoyault quotes portions of what he calls Barthes' card index diary.

      This can also be seen in the published cards which comprise Barthes' Mourning Diary about the period following his mother's death.

      Are there other people who've used their card index as a diary the way that some use it for productivity?

      syndication link

    1. Built and assembled without anyparticular significance or any value, Walter de Maria's Boxes for MeaninglessWork could also be an echo of Duchamp's sound strategies. In aparallel project, Robert Morris realized Card File (1962-3), a series ofcards on which a series of hazy concepts are written and laid out alphabetically on a vertical support. Through this initial process, Morriscreated a description of the necessary stages required to achieve thework. The terms used in this file include such things as accidents,alphabets, cards, categories, conception, criticism, or decisions, dissatisfactions, durations, forms, future, interruptions, names, numbers,possibilities, prices, purchases, owners, and signature. As a result, thework had no content other than the circumstances of its execution.Through this piece, Morris also asserted that if one wished to understand and penetrate all subtleties of the work, one would have toconsider all the methods used in bringing it forth. The status of thework of art is immediately called into question, because the range ofcards can undergo a change:In a broad sense art has always been on object, static and final, eventhough structurally it may have been a depiction or existed as afragment. What is being attacked, however, is something more thanart as icon. Under attack is the rationalistic notion that art is a formof work that results in a finished product. Duchamp, of course,attacked the Marxist notion that labor was an index of value, butReadymades are traditionally iconic art objects. What art now has inits hand ismutable stuffwhich need not arrive at the point of beingfinalized with respect to either time or space. The notion thatworkis an irreversible process ending in a static icon-object no longer hasmuch relevance.25Marcel Duchamp's musical and "Dismountable approximation" illustrate this process perfectly. John Cage recalled that "for his final opus,Given: 1. The Waterfall, 2. The Illuminating Gas, exhibited in Philadelphia, [Duchamp] wrote a book [the "Dismountable approximation"]that provided a blueprint for dismantling the work and rebuilding it.26It also provided information on how to proceed, as well as the only definition of the musical notation, isn't that so? So it is a musical work ofart; because when you follow the instructions you produce sounds."27But Given: 1. The Waterfall, 2. The Illuminating Gas was never createdas a musical piece, even though it is entirely "possible to do it. . . .Andif one takes it like a musical piece, one gets the piece [that Duchamp]This content downloaded from 194.27.18.18 on Fri, 18 Dec 2015 12:35:27 UTCAll use subject to JSTOR Terms and Conditions

      card file as art!

  14. Sep 2022
    1. Right? You said... No, no, bullshit. Let's write it all down and we can go check it. Let's not argue about what was said. We've got this thing called writing. And once we do that, that means we can make an argument out of a much larger body of evidence than you can ever do in an oral society. It starts killing off stories, because stories don't refer back that much. And so anyway, a key book for people who are wary of McLuhan, to understand this, or one of the key books is by Elizabeth Eisenstein. It's a mighty tome. It's a two volume tome, called the "Printing Press as an Agent of Change." And this is kind of the way to think about it as a kind of catalyst. Because it happened. The printing press did not make the Renaissance happen. The Renaissance was already starting to happen, but it was a huge accelerant for what had already started happening and what Kenneth Clark called Big Thaw.

      !- for : difference between oral and written tradition - writing is an external memory, much larger than the small one humans are endowed with. Hence, it allowed for orders of magnitude more reasoning.

  15. Jul 2022
    1. // NB: Since line terminators can be the multibyte CRLF sequence, care // must be taken to ensure we work for calls where `tokenPosition` is some // start minus 1, where that "start" is some line start itself.

      I think this satisfies the threshold of "minimum viable publication". So write this up and reference it here.

      Full impl.:

      getLineStart(tokenPosition, anteTerminators = null) {
        if (tokenPosition > this._edge && tokenPosition != this.length) {
          throw new Error("random access too far out"); // XXX
        }
      
        // NB: Since line terminators can be the multibyte CRLF sequence, care
        // must be taken to ensure we work for calls where `tokenPosition` is some
        // start minus 1, where that "start" is some line start itself.
        for (let i = this._lineTerminators.length - 1; i >= 0; --i) {
          let current = this._lineTerminators[i];
          if (tokenPosition >= current.position + current.content.length) {
            if (anteTerminators) {
              anteTerminators.push(...this._lineTerminators.slice(0, i));
            }
            return current.position + current.content.length;
          }
        }
      
        return 0;
      }
      

      (Inlined for posterity, since this comes from an uncommitted working directory.)

    1. I recently started building a website that lives at wesleyac.com, and one of the things that made me procrastinate for years on putting it up was not being sure if I was ready to commit to it. I solved that conundrum with a page outlining my thoughts on its stability and permanence:

      It's worth introspecting on why any given person might hesitate to feel that they can commit. This is almost always comes down to "maintainability"—websites are, like many computer-based endeavors, thought of as projects that have to be maintained. This is a failure of the native Web formats to appreciably make inroads as a viable alternative to traditional document formats like PDF and Word's .doc/.docx (or even the ODF black sheep). Many people involved with Web tech have difficulty themselves conceptualizing Web documents in these terms, which is unfortunate.

      If you can be confident that you can, today, bang out something in LibreOffice, optionally export to PDF, and then dump the result at a stable URL, then you should feel similarly confident about HTML. Too many people have mental guardrails preventing them from grappling with the relevant tech in this way.

  16. Jun 2022
    1. https://www.youtube.com/watch?v=bWkwOefBPZY

      Some of the basic outline of this looks like OER (Open Educational Resources) and its "five Rs": Retain, Reuse, Revise, Remix and/or Redistribute content. (To which I've already suggested the sixth: Request update (or revision control).

      Some of this is similar to:

      The Read Write Web is no longer sufficient. I want the Read Fork Write Merge Web. #osb11 lunch table. #diso #indieweb [Tantek Çelik](http://tantek.com/2011/174/t1/read-fork-write-merge-web-osb110

      Idea of collections of learning as collections or "playlists" or "readlists". Similar to the old tool Readlist which bundled articles into books relatively easily. See also: https://boffosocko.com/2022/03/26/indieweb-readlists-tools-and-brainstorming/

      Use of Wiki version histories

      Some of this has the form of a Wiki but with smaller nuggets of information (sort of like Tiddlywiki perhaps, which also allows for creating custom orderings of things which had specific URLs for displaying and sharing them.) The Zettelkasten idea has some of this embedded into it. Shared zettelkasten could be an interesting thing.

      Data is the new soil. A way to reframe "data is the new oil" but as a part of the commons. This fits well into the gardens and streams metaphor.

      Jerry, have you seen Matt Ridley's work on Ideas Have Sex? https://www.ted.com/talks/matt_ridley_when_ideas_have_sex Of course you have: https://app.thebrain.com/brains/3d80058c-14d8-5361-0b61-a061f89baf87/thoughts/3e2c5c75-fc49-0688-f455-6de58e4487f1/attachments/8aab91d4-5fc8-93fe-7850-d6fa828c10a9

      I've heard Jerry mention the idea of "crystallization of knowledge" before. How can we concretely link this version with Cesar Hidalgo's work, esp. Why Information Grows.

      Cross reference Jerry's Brain: https://app.thebrain.com/brains/3d80058c-14d8-5361-0b61-a061f89baf87/thoughts/4bfe6526-9884-4b6d-9548-23659da7811e/notes

  17. May 2022
    1. the skills to tweak an app or website into what they need

      Does "what they need" here implicitly mean "a design that no one really benefits from but you can bill a client for $40+/hr for"? Because that's how Glitch comes off to me—more vocational (and even less academic) than a bootcamp without the structure.

      What was that part about home-cooked meals?

    2. Building and sharing an app should be as easy as creating and sharing a video.

      This is where I think Glitch goes wrong. Why such a focus on apps (and esp. pushing the same practices and overcomplicated architecture as people on GitHub trying to emulate the trendiest devops shovelware)?

      "Web" is a red herring here. Make the Web more accessible for app creation, sure, but what about making it more accessible (and therefore simpler) for sharing simple stuff (like documents comprising the written word), too? Glitch doesn't do well at this at all. It feels less like a place for the uninitiated and more like a place for the cool kids who are already slinging/pushing Modern Best Practices hang out—not unlike societal elites who feign to tether themself to the mast of helping the downtrodden but really use the whole charade as machine for converting attention into prestige and personal wealth. Their prices, for example, reflect that. Where's the "give us, like 20 bucks a year and we'll give you better alternative to emailing Microsoft Office documents around (that isn't Google Sheets)" plan?

    1. Because the geothermal fluid leaves the heat exchanger at 196F in the mixture cycle, it could be used in heat exchange with a second working fluid mixture to obtainadditional work. Thus, a cascade system of two or more binary cycles could be developed to increase thework obtainable per pound of geothermal fluid passing through the geothermal power plant.
    2. a situation which should minimize irreversibilities in the condenser
    3. The fact that the mixtureand the isobutane leave the turbine with 138 F and 167 Fsuper-

      It doesn't from the figure that I left at either of those temperatures.

    4. The geothermalfluid is considered to have the properties of supercooled liquidwater
    5. On the other hand, an essentially infinitespectrum of property behavior characteristics exists for mixtures and thus a mixture can in principle befound which matches the resource characteristics better than virtually any possible pure-fluid choice
    6. (a) Higher pressures can beused in the cycle, which increases the net cycle thermalefficienc
    7. the working fluid in the power production cycle (e.g.Rankine-type cycle) receives energy by heat transfer with the geothermal fluid
    1. it’s hard to look at recent subscription newsletter darling, Substack, without thinking about the increasingly unpredictable paywalls of yesteryear’s blogging darling, Medium. In theory you can simply replatform every five or six years, but cool URIs don’t change and replatforming significantly harms content discovery and distribution.
  18. Apr 2022
    1. This appeal would have a greater effect if it weren't itself published in a format that exhibits so much of what was less desirable of the pre-modern Web—fixed layouts that show no concern for how I'm viewing this page and causes horizontal scrollbars, overly stylized MySpace-ish presentation, and a general imposition of the author's preferences and affinity for kitsch above all else—all things that we don't want.

      I say this as someone who is not a fan of the trends in the modern Web. Responsive layouts and legible typography are not casualties of the modern Web, however. Rather, they exhibit the best parts of its maturation. If we can move the Web out of adolescence and get rid of the troublesome aspects, we'd be doing pretty good.

    1. The moralist critique of ostentatious book owning articulated by Seneca in the first century CE was at the core of Sebastian Brant’s complaints in his Ship of Fools (1494).19

      Compare this idea to the recent descriptions of modern homes using books solely for decoration or simply as "wallpaper".

    1. There's way too much excuse-making in this post.

      They're books. If there's any defensible* reason for making the technical decision to go with "inert" media, then a bunch of books has to be it.

      * Even this framing is wrong. There's a clear and obvious impedance mismatch between the Web platform as designed and the junk that people squirt down the tubes at people. If there's anyone who should be coming up with excuses to justify what they're doing, that burden should rest upon the people perverting the vision of the Web and treating it unlike the way it's supposed to be used—not folks like acabal and amitp who are doing the right thing...

  19. Mar 2022
  20. citeseerx.ist.psu.edu citeseerx.ist.psu.edu
    1. The complete overlapping of readers’ and authors’ roles are important evolution steps towards a fully writable web, as is the ability of deriving personal versions of other authors’ pages.
  21. Feb 2022
    1. and keep your site consistent

      But maybe you don't need to do that. Maybe it would be instructive to take lessons from the traditional (pre-digital) publishing industry and consider how things like "print runs" and "reissues" factored in.

      If you write a blog post in 2017 and the page is acceptable*, and then five years later you're publishing a new post today in 2022 under new design norms and trying to retrofit that design onto your content from 2017, then that sounds a lot like a reprint. If that makes sense and you want to go ahead and do that, then fair enough, but perhaps first consider whether it does make sense. Again, that's what you're doing—every time you go for a visual refresh, it's akin to doing a new run for your entire corpus. In the print industry (even the glossy ones where striking a chord visually was and is something considered to merit a lot of attention), publishers didn't run around snapping up old copies and replacing them with new ones. "The Web is different", you might say, but is it? Perhaps the friction experienced here—involved with the purported need to pick up a static site generator and set your content consistently with templates—is actually the result of fighting against the natural state of even the digital medium?

      * ... and if you wrote a blog post in 2017 and the page is not acceptable now in 2022, maybe it's worth considering whether it was ever really acceptable—and whether the design decisions you're making in 2022 will prove to be similarly unacceptable in time (and whether you should just figure out the thing where that wouldn't be the case, and instead start doing that immediately).

    1. Indeed, the Jose-phinian card index owes its continued use to the failure to achieve a bound

      catalog, until a successor card catalog comes along in 1848. Only the<br /> absence of a bound repertory allows the paper slip aggregate to answer all inquiries about a book ’ s whereabouts after 1781. Thus, a failed undertaking tacitly turns into a success story.

      The Josephinian card index was created, in part on the ideas of Konrad Gessner's slip method, by accumulating slips which could be rearranged and then copied down permanently. While there was the chance that the original cards could be disordered, the fact that the approximately 300,000 cards in 205 small boxes were estimated to fill 50 to 60 folio volumes with time and expense to print it dissuaded the creation of a long desired compiled book of books. These problems along with the fact that new books being added later was sure to only compound problems of having a single reference. This failure to have a bound catalog of books unwittingly resulted in the success of the index card catalog.

    1. I used Publii for my blog, but it was very constraining in terms of its styling

      This is a common enough feeling (not about Publii, specifically; just the general concern for flexibility and control in static site generators), but when you pull back and think in terms of normalcy and import, it's another example of how most of what you read on the internet is written by insane people.

      Almost no one submitting a paper for an assignment or to a conference cares about styling the way that the users of static site generators (or other web content publishing pipelines) do. Almost no one sending an email worries about that sort of thing, either. (The people sending emails who do care a lot about it are usually doing email campaigns, and not normal people carrying out normal correspondence.) No one publishing a comment in the thread here—or a comment or post to Reddit—cares about these things like this, nor does anyone care as much when they're posting on Facebook.

      Somehow, though, when it comes to personal Web sites, including blogs, it's MySpace all over again. Visual accoutrement gets pushed to the foreground, with emphasis on the form of expression itself, often with little relative care for the actual content (e.g. whether they're actually expressing anything interesting, or whether they're being held back from expressing something worthwhile by these meta-concerns that wouldn't even register if happening over a different medium).

      When it comes to the Web, most instances of concern for the visual aesthetic of one's own work are distractions. It might even be prudent to consider those concerns to be a trap.

    1. keeping your website's look 'up to date' requires changes

      Yeah, but...

      Keeping your website's look 'up to date' requires changes, but keeping your website up does not require "keeping its look 'up to date'".

  22. Jan 2022
    1. The key thing about the REST approach is that the server addresses the client state transitions. The state of the client is almost totally driven by the server and, for this reason, discussions on API versioning make little sense, too. All that a client should know about a RESTful interface should be the entry point. The rest should come from the interpretation of server responses.
  23. Dec 2021
    1. The possibility of arbitrary internal branching.

      Modern digital zettelkasten don't force the same sort of digital internal branching process that is described by Niklas Luhmann. Internal branching in these contexts is wholly reliant on the user to create it.

      Many digital systems will create a concrete identifier to fix the idea within the system, but this runs the risk of ending up with a useless scrap heap.

      Some modern systems provide the ability for one to add taxonomies like subject headings in a commonplace book tradition, which adds some level of linking. But if we take the fact that well interlinked cards are the most valuable in such a system then creating several links upfront may be a bit more work, but it provides more value in the long run.

      Upfront links also don't require quite as much work at the card's initial creation as the creator already has the broader context of the idea. Creating links at a future date requires the reloading into their working memory of the card's idea and broader context.

      Of course there may also be side benefits (including to memory) brought by the spaced repetition of the card's ideas as well as potential new contexts gained in the interim which may help add previously unconsidered links.

      It can certainly be possible that at some level of linking, there is a law of diminishing returns the decreases the value of a card and its idea.

      One of the benefits of physical card systems like Luhmann's is that the user is forced to add the card somewhere, thus making the first link of the idea into the system. Luhmann's system in particular creates a parent/sibling relation to other cards or starts a brand new branch.

    2. The fixed filing place needs no system. It is sufficient that we give every slip a number which is easily seen (in or case on the left of the first line) and that we never change this number and thus the fixed place of the slip. This decision about structure is that reduction of the complexity of possible arrangements, which makes possible the creation of high complexity in the card file and thus makes possible its ability to communicate in the first place.

      There's an interesting analogy between Niklas Luhmann's zettelkasten numbering system and the early street address system in Vienna. Just as people (often) have a fixed address, they're able to leave it temporarily and mix with other people before going back home every night. The same is true with his index cards. Without the ability to remove cards and remix them in various orders, the system has far less complexity and simultaneously far less value.

      Link to reference of street addressing systems of Vienna quoted by Markus Krajewski in (chapter 3 of) Paper Machines.


      Both the stability and the occasional complexity of the system give it tremendous value.

      How is this linked to the idea that some of the most interesting things within systems happen at the edges of the system which have the most complexity? Cards that sit idly have less value for their stability while cards at the edges that move around the most and interact with other cards and ideas provide the most value.

      Graph this out on a multi-axis drawing. Is the relationship linear, non-linear, exponential? What is the relationship of this movement to the links between cards? Is it essentially the same (particularly in digital settings) as movement?

      Are links (and the active creation thereof) between cards the equivalent of communication?

  24. Nov 2021
    1. "Over the past few years I've come to appreciate that freedom of [mental] movement is the key," he said, highlighting the nature of liquidity in putting thoughts to the page. "When you look about the freedom of your own hands moving, you have such incredible freedom of movement."'
    1. role of school as a community

      According to teachers, distance learning should be based on a school's strategy where everyone is equally committed and responsible for students

      1. how to structure to resolve equality
      2. equality after overcoming disparities
      3. securing equality will remain a permanent concern
    1. , or ‘that is tragic’, nor are we certain, since short stories, we have been taught, should be brief and conclusive, whether this, which is vague and inconclusive, should be called a short story at all.

      Looks at Russian example of MODERNIST short story and likes that its

  25. Oct 2021
  26. Aug 2021
    1. Funnily enough, I've been on an intellectual bent in the other direction: that we've poisoned our thinking in terms of systems, for the worse. This shows up when trying to communicate about the Web, for example.

      It's surprisingly difficult to get anyone to conceive of the Web as a medium suited for anything except the "live" behavior exhibited by the systems typically encountered today. (Essentially, thin clients in the form of single-page apps that are useless without a host on the other end for servicing data and computation requests.) The belief/expectation that content providers should be given a pass for producing brittle collections of content that should be considered merely transitory in nature just leads to even more abuse of the medium.

      Even actual programs get put into a ruddy state by this sort of thinking. Often, I don't even care about the program itself, so much as I care about the process it's applying, but maintainers make this effectively inextricable from the implementation details of the program itself (what OS version by which vendor does it target, etc.)

  27. Jul 2021
    1. “But how can I automate updates to my site’s look and feel?!”

      Perversely, the author starts off getting this part wrong!

      The correct answer here is to adopt the same mindset used for print, which is to say, "just don't worry about it; the value of doing so is oversold". If a print org changed their layout sometime between 1995 and 2005, did they issue a recall for all extant copies and then run around trying to replace them with ones consistent with the new "visual refresh"? If an error is noticed in print, it's handled by correcting it and issuing another edition.

      As Tschichold says of the form of the book (in The Form of the Book):

      The work of a book designer differs essentially from that of a graphic artist. While the latter is constantly searching for new means of expression, driven at the very least by his desire for a "personal style", a book designer has to be the loyal and tactful servant of the written word. It is his job to create a manner of presentation whose form neither overshadows nor patronizes the content [... whereas] work of the graphic artist must correspond to the needs of the day

      The fact that people publishing to the web regularly do otherwise—and are expected to do otherwise—is a social problem that has nothing to do with the Web standards themselves. In fact, it has been widely lamented for a long time that with the figurative death of HTML frames, you can no longer update something in one place and have it spread to the entire experience using plain ol' HTML without resorting to a templating engine. It's only recently (with Web Components, etc.) that this has begun to change. (You can update the style and achieve consistency on a static site without the use of a static site generator—where every asset can be handcrafted, without a templating engine.) But it shouldn't need to change; the fixity is a strength.

      As Tschichold goes on to say of the "perfect" design of the book, "methods and rules upon which it is impossible to improve have been developed over centuries". Creators publishing on the web would do well to observe, understand, and work similarly.

  28. 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."

  29. May 2021
  30. Mar 2021
    1. Will it also help accomplish another goal — communicating to my students that a classroom of learners is, in my mind, a sort of family?

      I like the broader idea of a classroom itself being a community.

      I do worry that without the appropriate follow up after the fact that this sort of statement, if put on as simple boilerplate, will eventually turn into the corporate message that companies put out about the office and the company being a tight knit family. It's easy to see what a lie this is when the corporation hits hard times and it's first reaction is to fire family members without any care or compassion.

    1. JavaScript needs to fly from its comfy nest, and learn to survive on its own, on equal terms with other languages and run-times. It’s time to grow up, kid.
    2. If JavaScript were detached from the client and server platforms, the pressure of being a monoculture would be lifted — the next iteration of the JavaScript language or run-time would no longer have to please every developer in the world, but instead could focus on pleasing a much smaller audience of developers who love JavaScript and thrive with it, while enabling others to move to alternative languages or run-times.
    1. Fibar bi jàngal na taawan bu góor ni ñuy dagge reeni aloom.

      Le guérisseur a appris à son fils aîné comment on coupe les racines du Diospyros.

      fibar -- (fibar bi? the healer? as in feebar / fièvre / fever? -- used as a general term for sickness).

      bi -- the (indicates nearness).

      jàngal v. -- to teach (something to someone), to learn (something from someone) -- compare with jàng (as in janga wolof) and jàngale.

      na -- pr. circ. way, defined, distant. How? 'Or' What. function indicator. As.

      taaw+an (taaw) bi -- first child, eldest. (taawan -- his eldest).

      bu -- the (indicates relativeness).

      góor gi -- man; male.

      ni -- pr. circ. way, defined, distant. How? 'Or' What. function indicator. As.

      ñuy -- they (?).

      dagg+e (dagg) v. -- cut; to cut.

      reen+i (reen) bi -- root, taproot, support.

      aloom gi -- Diospyros mespiliformis, EBENACEA (tree).

      https://www.youtube.com/watch?v=BryN2nVE3jY

  31. Feb 2021
    1. identity theft

      Saw this while scrolling through quickly. Since I can't meta highlight another hypothesis annotation

      identity theft

      I hate this term. Banks use it to blame the victims for their failure to authenticate people properly. I wish we had another term. —via > mcr314 Aug 29, 2020 (Public) on "How to Destroy ‘Surveillance C…" (onezero.medium.com)

      This is a fantastic observation and something that isn't often noticed. Victim blaming while simultaneously passing the buck is particularly harmful. Corporations should be held to a much higher standard of care. If corporations are treated as people in the legal system, then they should be held to the same standards.

    1. cultural capital

      Introduced by Pierre Bourdieu in the 1970s, the concept has been utilized across a wide spectrum of contemporary sociological research. Cultural capital refers to ‘knowledge’ or ‘skills’ in the broadest sense. Thus, on the production side, cultural capital consists of knowledge about comportment (e.g., what are considered to be the right kinds of professional dress and attitude) and knowledge associated with educational achievement (e.g., rhetorical ability). On the consumption side, cultural capital consists of capacities for discernment or ‘taste’, e.g., the ability to appreciate fine art or fine wine—here, in other words, cultural capital refers to ‘social status acquired through the ability to make cultural distinctions,’ to the ability to recognize and discriminate between the often-subtle categories and signifiers of a highly articulated cultural code. I'm quoting here from (and also heavily paraphrasing) Scott Lash, ‘Pierre Bourdieu: Cultural Economy and Social Change’, in this reader.

  32. Jan 2021
  33. Nov 2020
    1. Frontend frameworks are a positive sum game! Svelte has no monopoly on the compiler paradigm either. Just like I think React is worth learning for the mental model it imparts, where UI is a (pure) function of state, I think the frontend framework-as-compiler paradigm is worth understanding. We're going to see a lot more of it because the tradeoffs are fantastic, to where it'll be a boring talking point before we know it.
  34. Oct 2020
  35. Sep 2020
    1. The main rationale for this PR is that, in my hones opinion, Svelte needs a way to support style overrides in an intuitive and close to plain HTML/CSS way. What I regard as intuitive is: Looking at how customizing of styles is being done when applying a typical CSS component framework, and making that possible with Svelte.
  36. Aug 2020
    1. As a web designer, I hate that "log in" creates a visual space between the words. If you line up "Log In Register" - is that three links or two? This creates a Gestalt problem, meaning you have to really fiddle with spacing to get the word groupings right, without using pipe characters.

      Sure, you can try to solve that problem by using a one-word alternative for any multi-word phrase, but that's not always possible: there isn't always a single word that can be used for every possible phrase you may have.

      Adjusting the letter-spacing and margin between items in your list isn't that hard and would be better in the long run since it gives you a scalable, general solution.

      "Log in" is the only correct way to spell the verb, and the only way to be consistent with 1000s of other phrasal verbs that are spelled with a space in them.

      We don't need nor want an exception to the general rule just for "login" just because so many people have made that mistake.

  37. Jul 2020
    1. Creating and calling a default proc is a waste of time, and Cramming everything into one line using tortured constructs doesn't make the code more efficient--it just makes the code harder to understand.

      The nature of this "answer" is a comment in response to another answer. But because of the limitations SO puts on comments (very short length, no multi-line code snippets), comment feature could not actually be used, so this user resorted to "abusing" answer feature to post their comment instead.

      See

  38. May 2020
    1. Taxonomy, in a broad sense the science of classification, but more strictly the classification of living and extinct organisms—i.e., biological classification.

      I don't think the "but more strictly" part is strictly accurate.

      Wikipedia authors confirm what I already believed to be true: that the general sense of the word is just as valid/extant/used/common as the sense that is specific to biology:

      https://en.wikipedia.org/wiki/Taxonomy_(general) https://en.wikipedia.org/wiki/Taxonomy_(biology)

    1. "linked data" can and should be a very general term referring to any structured data that is interlinked/interconnected.

      It looks like most of this article describes it in that general sense, but sometimes it talks about URIs and such as if they are a necessary attribute of linked data, when that would only apply to Web-connected linked data. What about, for example, linked data that links to each other through some other convention such as just a "type" and "ID"? Maybe that shouldn't be considered linked data if it is too locally scoped? But that topic and distinction should be explored/discussed further...

      I love its application to web technologies, but I wish there were a distinct term for that application ("linked web data"?) so it could be clearer from reading the word whether you meant general case or not. May not be a problem in practice. We shall see.

      Granted/hopefully most use of linked data is in the context of the Web, so that the links are universal / globally scoped, etc.

    1. generic-sounding term may be interpreted as something more specific than intended: I want to be able to use "data interchange" in the most general sense. But if people interpret it to mean this specific standard/protocol/whatever, I may be misunderstood.

      The definition given here

      is the concept of businesses electronically communicating information that was traditionally communicated on paper, such as purchase orders and invoices.

      limits it to things that were previously communicated on paper. But what about things for which paper was never used, like the interchange of consent and consent receipts for GDPR/privacy law compliance, etc.?

      The term should be allowed to be used just as well for newer technologies/processes that had no previous roots in paper technologies.

  39. Apr 2020
    1. This is a great time to individualize instruction and have students work at different paces. You don’t want 100-120 papers coming at you all at one time. Spread it out, and it will keep you from getting short-tempered with your students.

      As the educational system operates today, many teachers easily put in 60 hours of work per week. But when you teach remotely, it sounds like work becomes much more manageable.

      Do I want to become a teacher? If I can teach like this I do—and no, not because it seems easier but because it seems easier AND more effective.

  40. Mar 2020
    1. That outcome, in fact, is why the General Data Protection Regulation has been introduced. GDPR is being billed by the EU as the biggest shake-up of data privacy regulations since the birth of the web, saying it sets new standards in the wake of the recent Facebook data harvesting scandal.
  41. Oct 2018
  42. Sep 2018
  43. Aug 2018
  44. Aug 2016
    1. VISITS

      I'm not sure exactly where this would fit in, but some way to reporting total service hours (per week or other time period) would be useful, esp as we start gauging traffic, volume, usage against number of service hours. In our reporting for the Univ of California, we have to report on services hours for all public service points.

      Likewise, it may be helpful to have a standard way to report staffing levels re: coverage of public service points? or in department? or who work on public services?

  45. Jun 2016
    1. You feel like you're engaged in enjoyable play when your thinking has the right level of ambiguity and uncertainty FOR YOU

      Play is haptic. It has a feel. And that feel is very idiosyncratic (and not customizable).