1,409 Matching Annotations
  1. Aug 2020
  2. Jul 2020
    1. The meta charset information must also be the first child of the <head> tag. The reason this tag must be first is to avoid re-interpreting content that was added before the meta charset tag.

      But what if another tag also specified that it had to be the first child "because ..."? Maybe that hasn't happened yet, but it could and then you'd have to decide which one truly was more important to put first? (Hopefully/probably it wouldn't even matter that much.)

    1. The controller informs customers that they havethe possibility to withdraw consent. To do this, they could contact a call centre on business daysbetween 8am and 5pm, free of charge. The controller in this example doesnotcomply with article 7(3)of the GDPR. Withdrawing consent in this case requires a telephone call during business hours, this ismore burdensome than the one mouse-click needed for giving consent through the online ticketvendor, which is open 24/7.
    1. Matz, alas, I cannot offer one. You see, Ruby--coding generally--is just a hobby for me. I spend a fair bit of time answering Ruby questions on SO and would have reached for this method on many occasions had it been available. Perhaps readers with development experience (everybody but me?) could reflect on whether this method would have been useful in projects they've worked on.
  3. Jun 2020
  4. May 2020
    1. The Map is Not the Terrain

      As George Box said, "All models are false, some are useful." Understanding the importance and value of mental models is vital, but it must be balanced with an understanding that they are, at best, an approximate representation of reality, not reality itself - the map is not the terrain

    1. In the context of first-order logic, a distinction is maintained between logical validities, sentences that are true in every model, and tautologies, which are a proper subset of the first-order logical validities. In the context of propositional logic, these two terms coincide.

      A distinction is made between the kind of logic (first-order logic) where this other distinction exists and propositional logic, where the distinction doesn't exist (the two terms coincide in that context).

    1. Implementing prior blocking and asynchronous re-activation Our prior blocking option prevents the installation of non-exempt cookies before user consent is obtained (as required by EU law) and asynchronously activates (without reloading the page) the scripts after the user consents.To use, you must first enable this feature: simply select the “Prior blocking and asynchronous re-activation” checkbox above before copy and pasting the code snippet into the HEAD as mentioned in the preceding paragraph.
  5. Apr 2020
    1. Enables the blocking of scripts and their reactivation only after having collected user consent. If false, the blocked scripts are always reactivated regardless of whether or not consent has been provided (useful for testing purposes, or when you’re working on your project locally and don’t want pageviews to be counted). We strongly advise against setting "priorConsent":false if you need to comply with EU legislation. Please note that if the prior blocking setting has been disabled server side (via the checkbox on the flow page), this parameter will be ineffective whether it’s set to true or false.
    1. there's no reasonable way to communicate effectively with the less technically minded without acquiescing to the nontechnical misuse of the term "hacker"
    2. The more easily relabeled of the two uses of the term "hacker" is the malicious security cracker: it is not only the more recent phenomenon to acquire that label, but also the one whose meaning is most easily evoked by an alternative term. This is why, when you read an article of mine that talks about malicious security crackers, I use the term "malicious security cracker"
    1. I'm not your personal lookup service And finally, for everyone who contacts me privately and says "but could you just look up my own password", please understand that you're one of many people who ask this. I try and reply to everyone who asks and politely refer them to my previous writing on the subject, but even then, all the time I spend replying to these requests is time I can't spend building out the service, adding more data, earning a living doing other things or spending time with my family. For the last 3 and a half years that I've run HIBP, I've kept all the same features free and highly available as a community service. I want to keep it that way but I have to carefully manage my time in order to do that so in addition to all the reasons already stated above, no, I'm not your personal lookup service.
  6. Mar 2020
    1. Don't be discouraged when you get feedback about a method that isn't all sunshine and roses. Facets has been around long enough now that it needs to maintain a certain degree of quality control, and that means serious discernment about what goes into the library. That includes having in depth discussions the merits of methods, even about the best name for a method --even if the functionality has been accepted the name may not.

      about: merits

    1. Google Analytics created an option to remove the last octet (the last group of 3 numbers) from your visitor’s IP-address. This is called ‘IP Anonymization‘. Although this isn’t complete anonymization, the GDPR demands you use this option if you want to use Analytics without prior consent from your visitors. Some countris (e.g. Germany) demand this setting to be enabled at all times.
  7. Feb 2020
    1. But, let’s be pragmatic for a second, the 80/20 rule states that you get 80% of the value from 20% of the work and a couple of simple tests are vastly better than no tests at all. Start small and simple, make sure you get something out of the testing first, then expand the test suite and add more complexity until you feel that you’ve reached the point where more effort spent on realism will not give enough return on your invested time.
  8. Jan 2020
    1. a private library is not an ego-boosting appendages but a research tool. The library should contain as much of what you do not know as your financial means … allow you to put there. You will accumulate more knowledge and more books as you grow older, and the growing number of unread books on the shelves will look at you menacingly. Indeed, the more you know, the larger the rows of unread books. Let us call this collection of unread books an antilibrary.
  9. Dec 2019
    1. The tools are free... ... but support is not. I'm always happy to receive reports of errors or unclear spots in my Tips or tools, but they don't generally include free support. To the extent that you're operating outside your comfort zone, please retain professional advice from either iSystems Technical support, or from an experienced Evolution consultant. I'm available on an hourly basis, or with retainer plans that provided prioritized responses and reduced hourly rates.
  10. Nov 2019
    1. You want to write maintainable tests for your React components. As a part of this goal, you want your tests to avoid including implementation details of your components and rather focus on making your tests give you the confidence for which they are intended. As part of this, you want your testbase to be maintainable in the long run so refactors of your components (changes to implementation but not functionality) don't break your tests and slow you and your team down.
    1. Here are three rules of thumb I use to determine that something is not worth testing:Will the test have to duplicate exactly the application code? This will make it brittle.Will making assertions in the test duplicate any behavior that is already covered by (and the responsibility of) library code?From an outsider’s perspective, is this detail important, or is it only an internal concern? Can the effect of this internal detail be described using only the component’s public API?
  11. Oct 2019
    1. Let's make the example even easier. function convertDate<T extends string | undefined>(isoDate?: string): T { return undefined } 'undefined' is assignable to the constraint of type 'T' Means: What you return in the function (undefined), matches the constraints of your generic type parameter T (extends string | undefined). , but 'T' could be instantiated with a different subtype of constraint 'string | undefined'. Means: TypeScript does not consider that as safe. What if you defined your function like this at compile time: // expects string return type according to generics // but you return undefined in function body const res = convertDate<string>("2019-08-16T16:48:33Z") Then according to your signature, you expect the return type to be string. But at runtime that is not the case! This discrepancy that T can be instantiated with a different subtype (here string) than you return in the function (undefined) is expressed with the TypeScript error.
    1. Based on examples given in https://github.com/Microsoft/TypeScript/issues/29049

      Specific link: http://www.typescriptlang.org/play/#code/LAKAZgrgdgxgLgSwPZQARigRgDwBVUCmAHnAVACYDOqlcATglAOYB8AFEQFyq4CU3+AN6hUqOgTgQ6aAEQALAgBtFSVAHckdReQCEM1AHoDAQ2q4A3KAC+oOAE8ADgVQBleseaoAvKnkIZoDAotDT0jEzcbnQeTN6+cv6BwUiKBAB0KkxsGJhstAzMvLygoJCwiCjoUABMeIQkZFSoABK4ALIAMgCiqQC2ZHDsSABGAFYC-DyowiCi4pLSqFAEai3tHQAiCMaZPQT9UHBsRaimPJYgNiCl0PDIaBgAzHXEpBTUw0gpBB5DYwJxMA7SgEXjTaw3cr3KoAFheDXeqE+31+bBG4x4kyEIkMBnmUjQ6Jx+MWQMUIIhIHsTh4dAgBFwjmcPno9IuQSgIWRilwdIIAj5jJpLL57OSqQySCyGBhbG5vPpRRKIDIEF6qC64NmolQAA0ADSoACahoAWtYgA

      and: http://www.typescriptlang.org/play/#code/LAKAZgrgdgxgLgSwPZQARigRgDwBVUCmAHnAVACYDOqlcATglAOYB8AFEQFyq4CU3+AN6hUqOgTgQ6aAEQALAgBtFSVAHckdReQCEM1AHoDAQ2q4A3KAC+oOAE8ADgVQBleseaoAvKnnH9AD6+csbKSDKgMCi0NO7M3G50Hkzewf6R0UiKBAB0KkxsGJhstEnMvLygoJCwiCjoUABMeIQkZFSoABK4ALIAMgCi2QC2ZHDsSABGAFYC-DyowiCi4pLSqFAEal29fQAiCKFITEMEo1BwbBWopjyWIDYg1dDwyGgYAMwtxKQU1JNILIEDwTGYCVJgUKUAi8RbWZ61N4NAAs3zaf1QAKBILYU1mPHmQhEhgMqykaDxxLJ60himh8JA9icPDoEAIuEczh89DZ9yiUBiWMUuFZBAEoo5zO5or5mWyeWOhSgyLYQpFbIqVRAZAgw1QAzhy1EqAAGgAaVAATQtAC1rEA

    1. In the body of the function you have no control over the instantiation by the calling context, so we have to treat things of type T as opaque boxes and say you can't assign to it. A common mistake or misunderstanding was to constraint a type parameter and then assign to its constraint, for example: function f<T extends boolean>(x: T) { x = true; } f<false>(false); This is still incorrect because the constraint only restricts the upper bound, it does not tell you how precise T may really be.
    1. Try to avoid mucking with native prototypes, including Array.prototype, if you don't know who will be consuming your code (3rd parties, coworkers, yourself at a later date, etc.). There are ways to safely extend prototypes (but not in all browsers) and there are ways to safely consume objects created from extended prototypes, but a better rule of thumb is to follow the Principle of Least Surprise and avoid these practices altogether.
  12. Sep 2019
    1. systematic domination of women by men

      "systematic domination of women by men" the beside statement is varies according to person to person, that is the right each one but according to my perspective the idea is wrong because after a long period of time each girl will feel some loneliness. This isolation can be avoided if you have some to care you. No women in the could be independent but they can live independently only a certain period after they miss something in their life. Everyone will leave you but the one who love you will stick with your downs and ups. Your parents will pass you but your husband be with you until something has happen. Below you have five important benefits.

  13. Aug 2019
  14. Jul 2019
    1. but Salt Lake City’s cost of living is 16 percent lower than in Denver, 37 percent lower than Seattle’s and 48 percent under San Francisco’s, according to PayScale. The state — often led personally by Governor Gary Herbert — pitches its advantages well to firms considering relocation, says Joe Vranich, whose consulting firm helps small businesses looking to move. “They will roll out the carpet for you and treat you like a king.” The approach is working. Utah’s “Silicon Slopes”

      Utah's low cost of living attracts tech companies to operate in Utah. This will make more outsiders to relocate to Utah for jobs which can further aggravate the burden of housing shortage and pricing.

  15. Apr 2019
    1. Being a teenager is hard; there are constant social and emotional pressures that have just been introduced into the life of a middle or high schooler, which combines with puberty to create a ticking time bomb. By looking at the constant exposure to unreasonable expectations smartphones and social media create, we can see that smartphones are leading to an increased level of depression and anxiety in teenagers, an important issue because we need to find a safe way to use smartphones for the furture generations that are growing up with them. Social media is a large part of a majority of young adults life, whether it includes Instagram, Facebook, Snapchat, Twitter, or some combination of these platforms, most kids have some sort of presence online. Sites like Facebook and Instagram provide friends with a snapshot of an event that happened in your life, and people tend to share the positive events online, but this creates a dangerous impact on the person scrolling.​ When teens spend hours scrolling through excluisvely happy posts, it creates an unrealistic expectation for how real life should be. Without context, teenagers often feel as if their own life is not measuring up to all of their happy friends, but real-life will never measure up to the perfect ones expressed online. Picture Picture Furthermore, social media sites create a way for teenagers to seek external validation from likes and comments, but when the reactions online are not perceived as enough it dramatically alters a young adults self-confidence. This leads to the issue of cyberbullying. There are no restrictions on what you can say online, sometimes even annonimously, so often people choose to send negative messages online. Bullying is not a new concept, but with online bullying, there is little to no escape as a smartphone can be with a teenager everywhere, and wherever the smartphone goes the bullying follows.This makes cyberbullying a very effective way to decrease a youth's mental health, in fact, cyberbullying triples the risk of suicide in adolescents, which is already the third leading cause of death for this age group.

    2. ​Technology is in constant motion. If we try to ignore the advances being made the world will move forward without us. Instead of trying to escape change, there needs to be an effort to incorporate technology into every aspect of our lives in the most beneficial way possible. If we look at the ways technology can improve our lives, we can see that technology specifically smartphones, have brought more benefits than harm to the academic and social aspects of teenagers lives, which is important because there is a constant pressure to move away from smart devices from older generations. The first aspect people tend to focus on is the effect that technology has on the academic life of a teen. Smartphones and other smart devices are a crucial part of interactive learning in a classroom and can be used as a tool in increasing student interest in a topic. For example, a popular interactive website, Kahoot, is used in many classrooms because it forces students to participate in the online quiz, while teachers can gauge how their students are doing in the class. Furthermore, these interactive tools are crucial for students that thrive under visual learning, since they can directly interact with the material. This can be extended to students with learning disabilities, such as Down Syndrome and Autism,​ research has shown that using specialized and interactive apps on a smart device aids learning more effectively than technology free learning. Picture Picture Another fear regarding technology is the impact it has on the social lives of young adults, but the benefits technology has brought to socializing outweighs any possible consequences. The obvious advantage smartphones have brought to social lives is the ability to easily communicate with people; with social media, texting, and calling all in one portable box there is no longer a struggle to be in contact with family and friends even if they are not in your area. Social media can also be used for much more In recent years, social media has been a key platform in spreading platforms and movements for social change. Because social media websites lower the barrier for communicating to large groups of people, it has been much easier to spread ideas of change across states, countries, or the world. For example, after Hurricane Sandy tore apart the northeastern United States, a movement called "Occupy Sandy" in which people gathered to provide relief for the areas affected was promoted and organized through social media. Other movements that have been possible because of social media include #MeToo, March for Our Lives, #BlackLivesMatter, and the 2017 Women's March. ​

    3. There is no question that technology is becoming a part of our lives more every day. What we have to take a closer look at is the increasing dependency that children have on smart devices, which is taking over all other normal childhood activities, an important occurrence because it is interfering with normal childhood development and negatively impacting relationships between parents and children. Smartphones give young adults access to almost unlimited information and almost unlimited content that they may not yet be equipped to navigate. Every parent wants to know what is going on in their child's life, but with smartphones, this is highly suggested just to make sure the internet has not led them down a dark path. For example, an astonishing study found that 19% of young adults ages 13-19 sent sexually suggestive content online, and 31% had received this type of content. Smartphones make exposure to these things at an early age much easier, and preventing the exposure much harder. There are many restrictions and blocks that can be put in place to help guide children in the right parts of the internet, but there is still the issue of time management on devices. Smartphones and other smart devides have taken the place of activities that should be prioitized for a healthy lifestyle, such as homework and exercise. One aspect that has drawn many children into overuse of technology is online gaming. Online games often have interactions with other online players, which allows children to feel as if they are socializing without actually interacting with friends, especially for children who struggle with in person interaction.

      ​While this may be beneficial for short term socializing or motor skills, in the long-run, the children are choosing to sit and stare at a screen instead of interacting with people around them, or doing productive things such as homework, so the short-term benefits are outweighed by long-term consequences.

    4. The music we listen to highly impacts our decision making, especially as adolescents. Adolescents are extremely impressionable, and the music they listen to has a great impact on how they decide to live their day to day lives. Popular musicians are seen as role models by the people who idolize them, and adolescents may try to represents the songs in which they favor through their actions every day.

      Recent studies have found that adolescents who listen to music that supports substance abuse and violence have a greater chance to act upon what they listen to. What young adults and teenagers listen to through music and popular media will affect their decision making process. Specifically with substance abuse, and there is a direct uptake in use of illegal substances by adolescents who listen to music that promotes such activities. This can cause a whole societal problem considering most of todays popular music among adolescents touches upon substance abuse and violence. Adolescents are extremely impressionable and the music they listen can shape how a person tries to act, or represent themselves.

  16. Mar 2019
  17. Feb 2019
    1. In such a future working relationship between human problem-solver and computer 'clerk,' the capability of the computer for executing mathematical processes would be used whenever it was needed. However, the computer has many other capabilities for manipulating and displaying information that can be of significant benefit to the human in nonmathematical processes of planning, organizing, studying, etc.
    1. rejection of knowledge derived from either testimony or revelation.

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

    1. by these elucidations given rise or increase to his doubts, and drawn obscurity upon the place

      Following Dr. Rivers's postmodern note, this reminds me of our discussion in class related to Nietzsche, how we're so often trained to assume that the text means something other than the text itself, and we search for the "true" meaning buried underneath the text, perhaps in the author's subconscious. I'm reminded to of a comment made in Dr. Johnston's poetry class, that we as critics don't spend enough time on simply characterizing texts; in place of depth arrived at through analysis, we should strive for complexity in our attempt to take the words on the page at their word.

  18. Jan 2019
  19. Nov 2018
    1. “When the IOM report came out, it gave us a focus and a language that we didn’t have before,” says Dr. Wachter, who served as president of SHM’s Board of Directors and to this day lectures at SHM annual meetings. “But I think the general sensibility that hospitalists are about improving quality and safety and patients’ experience and efficiency—I think that was baked in from the start.”
    2. Dr. Wachter and other early leaders pushed the field to become involved in systems-improvement work. This turned out to be prophetic in December 1999, when patient safety zoomed to the national forefront with the publication of the Institute of Medicine (IOM) report “To Err Is Human.” Its conclusions, by now, are well-known. It showed between 44,000 and 98,000 people a year die from preventable medical errors, the equivalent of a jumbo jet a day crashing. The impact was profound, and safety initiatives became a focal point of hospitals.
  20. Oct 2018
    1. A variant is useful in standards work, where I ask collaborators to search for the worst possible name for something, in order to avoid long arguments about which is best. You can have a good laugh when someone invokes the "worst is best" rule, and get on with the real work of working together.

      Almost like a pattern. Start off with something, anything, and improve from there.

    1. Learning is a subversive act.

      YES! In American schools you are indoctrinated with the premise: "There is no difficult material. There are only difficult learners." The "trial-by-failure" prevalent in the 70's and 80's, that if you repeat a subject you truly do not nor will not ever understand, Algebra in my case, you are somewhat "subversive" to the rest of classroom, the teacher and especially the school. Report card comments: asks too many questions/asks no questions, disruptive/sleeps in class, no effort given, won't get tutored after school labels the learner without labelling the conformity of the classroom: fit in or be shut out. Excellent point!

    1. As the power is unleashed, computers on the Semantic Web achieve at first the ability to describe, then to infer, and then to reason. The schema is a huge step, and one that will enable a vast amount of interoperability and extra functionality. However, it still only categorizes data. It says nothing about meaning or understanding.

      The author presents an interesting progression for the Web to eventually learn to reason. The picture he paints of more accessible content on the internet hinges on the internet learning to reason, which is a human characteristic. It seems we need to apply human characteristics to all of our mechanics for them to progress in their usefulness.

  21. Sep 2018
  22. Aug 2018
    1. He with his whole posteritie must dye, Dye hee or Justice must; unless for him [ 210 ]

      We, Indians can't understand how "his whole posteritie must dye"? We believe in the theory of rebirth and therefore have infinite scope to be liberated. Above all one does not suffer due to others fault. Scripture does not contradict reason.

    1. As forcefulness and ambiguity increase, enactment is more con- sequential, and more of the unfolding crisis is under the direct control of human action. Conversely, as action becomes more tentative and situations become more clearly structured, enactment processes will play a smaller role in crisis development and managment. Enactment, therefore, will have most effect on those portions of a crisis which are loosely coupled.

      Again, another argument for "Information is Aid" as a way to clarify the known situation, provide more complete descriptions of potential action, etc., this ultimately helps to decrease ambiguity.

    1. As Coyle and Meier (2009) argue, disasters are often seen as crises of information where it is vital to make sure that people know where to find potable water, how to ask for help, where their relatives are, or if their home is at risk; as well as providing emergency response and human-itarian agencies with information about affected populations. Such a quest for information for ‘security’, in turn, provides fertile ground for a quest for technological solutions, such as big data, which open up opportunities for the extended surveillance of everyday life. The assumption is that if only enough information could be gathered and exchanged, preparedness, resilience and control would follow. This is particularly pertinent with regard to mobile pop-ulations (Adey and Kirby 2016)

      The Information is Aid perspective that drives my research agenda.

  23. Jul 2018
  24. Jun 2018
  25. Feb 2018
  26. Jan 2018
    1. henwestudyanobject,formalizingourobservationsinlanguage,wegenerateasetofcarefullyselectednouns,adjectives,adverbs,prepositions,andverbswhicheffectivelydeterminetheboundsofpossibleinterpretation.Thisiswhythewordswechooseinsayingwhatweseehavesuchfarreachingimportance.Itisoutofourparaphraseofwhatweseethatallinterpretationgrows

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

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

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

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

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

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

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

  27. Nov 2017
    1. To support text and data mining as a standard and essential tool for research, the UK should move towards establishing by default that for published research the right to read is also the right to mine data, where that does not result in products that substitute for the original works. Government should include potential uses of data for AI when assessing how to support for text and data mining.
    1. The Largest Governmental Review of Homeopathic Research
      1. Not the largest (and Dana knows this)
      2. Not a Government review (and Dana knows this)

      At best the "Swiss Report" was a very limited assessment of select literature. The ongoing misrepresentation of this publication caused Felix Gurtner of the Federal Office of Public Health FOPH, Health and Accident Insurance Directorate, Bern, Switzerland posted a letter to the editor of Swiss Medical Weekly entitled The report “Homeopathy in healthcare: effectiveness, appropriateness, safety, costs” is not a “Swiss report” to clarify this. Dana is very aware of this, but continues to misinform his readership with this blatantly and demonstrably false claim.

      Given how often this has been pointed out there is only one reasonable conclusion for him continuing to put this out there.

      Dana Ullman is a liar.

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

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

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

  29. Sep 2017
    1. Indeed, as noted earlier, one well-known thought-enhancement technology is written language itself and perhaps use of language more generally. As Levy writes, “speech does not merely allow us to articulate thoughts that we would have had in any case. Instead, it allows us to externalize our thoughts and thereby treat them as objects for contemplation and manipulation. Externalized thoughts can be worked over, criticized, and improved.”21:38-39

      This is an interesting concept, particularly with regards to writing, because many people, myself included, think as they write. I often times do not even really know what I think about a topic until I start writing about it. Essays, for example, are usually difficult to start, but I end up figuring out what my argument is by the end because the process of writing itself has allowed me to think through the subject in a way normal biological cognition would not normally allow me to.

    1. (29)

      This quote resonates with me because it reminds me with a discussion I had with my mother. I said I was worried about climate change and expressed concerns that humans aren't doing enough to work against it. My mother responded by saying "It took me a while to realize that the world is going to come to an end whether we like it or not. It could be in twenty years, it could be in twenty thousand, but it's going to happen eventually. And it took me awhile, but I know I must accept this fact."

  30. Aug 2017
    1. I agree that diversity is necessary, but only useful when paired with acceptance. As Ecks says, when it is paired with positivity it creates pluralism and that moves society steps forward, but when it remains alone it causes conflict. This is extremely true in today's America with its lack of acceptance and trust in the political and religious sense, and in addition to more diversity that is making the country less united and weaker to countries with no religious freedoms.

  31. Jun 2017
  32. Apr 2017
  33. Feb 2017
    1. With scientific claims, the only definitive answer is to reexamine the original research data and repeat the experiments and analysis. But no one has the time or the expertise to examine the original research literature on every topic, let alone repeat the research. As such, it is important to have some guidelines for deciding which theories are plausible enough to merit serious examination.

      "The superiority of Scientific Evidence Reexamined":

      "Allow me now to ask, Will he be so perfectly satisfied on the first trial as not to think it of importance to make a second, perhaps u third, and a fourth? Whence arises this diffidence'! Purely from the consciousness of the fallibility of his own faculties. But to what purpose, it may be said, the reiterations of the at-tempt, since it is impossible for him, by any efforts, to shake off his dependence on the accuracy of his attention and fidelity of his memory? Or, what can he have more than reiterated testimonies of his memory, in support of the truth of its for-mer testimony? I acknowledge, that after a hundred attempts he can have no more. But even this is a great deal. We learn from experience, that the mistakes or oversights committed by the mind in one operation. arc sometime!-., on a review, corrected on the second, or perhaps on a third. Besides, the repetition, when no error is discovered, enlivens the remembrance, and so strengthens the conviction. But, for this conviction. it is plain that we are in a great measure indebted to memory. and in some measure even to experience." (Campbell 922)

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

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

  35. Dec 2016
    1. God works mysteriously. God is like a great attraction without a marquee or a billboard. God is pulling you along incessantly. Hopefully, the excess baggage in your life will be left aside sufficiently so that you can begin to experience the attraction itself, for this is the call of love to the lover. This is what you try to recreate with one another, this profound love and attraction.

      God, the Great Strange Attractor

      In the mathematical field of dynamical systems, an attractor is a set of numerical values toward which a system tends to evolve, for a wide variety of starting conditions of the system. System values that get close enough to the attractor values remain close even if slightly disturbed... An attractor is called strange if it has a fractal structure. This is often the case when the dynamics on it are chaotic, but strange nonchaotic attractors also exist. If a strange attractor is chaotic, exhibiting sensitive dependence on initial conditions, then any two arbitrarily close alternative initial points on the attractor, after any of various numbers of iterations, will lead to points that are arbitrarily far apart (subject to the confines of the attractor), and after any of various other numbers of iterations will lead to points that are arbitrarily close together. Thus a dynamic system with a chaotic attractor is locally unstable yet globally stable: once some sequences have entered the attractor, nearby points diverge from one another but never depart from the attractor.

  36. Nov 2016
  37. Oct 2016
  38. Apr 2016
    1. My friends here who started a micro-brewery tell stories that when they were starting, the other micro-breweries in the region did not seem them as a threat/competition, and in fact, offered advice, equipment, supplies. The people who do this stuff see it as a net gain for everyone if someone can help raise the regional interest in craft beer; if everyone grows more customers, everyone wins. It’s not a tech startup mentality.

      Craft beer is a fascinating world, partly because of this approach to sharing. Much of the so-called “Craft Beer Revolution” happened through homebrewers who were sharing tips and recipes online (not to mention ingredients and samples offline). The idea, in many an indie/craft scene, is that the out-group is the Mainstream. Very similar story among owners of Third Wave cafés. Of course, there are differences. But still… When you have a “common enemy” (Anheuser-Busch, Starbucks, McGraw-Hill…), it’s much easier to grow together.