- Mar 2021
-
css-tricks.com css-tricks.com
-
always use real <label for="correct_input"> elements. Just that alone is a UX consideration all too many forms fail on
-
-
jangawolof.org jangawolof.orgPhrases1
-
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).
Tags
- as
- his
- taproot
- cut
- first
- feebar
- teach
- to
- diospyros
- distant
- jàngal
- how
- reeni
- tree
- fibar
- jàngale
- jàng
- janga
- aloom
- fièvre
- góor
- -i
- male
- they
- of
- child
- ebenacea
- ñuy
- roots
- learn
- bi
- wolof
- -e
- mespiliformis
- fever
- sickness
- taaw
- what
- support
- reen
- bu
- taught
- man
- na
- son
- dagge
- dagg
- the
- eldest
- -an
- ni
- healer
- taawan
- gi
Annotators
URL
-
-
trailblazer.to trailblazer.to
-
Hey, that’s is an imaginary complication of our example - please don’t do this with every condition you have in your app.
-
- Feb 2021
-
trailblazer.to trailblazer.to
-
For branching out a separate path in an activity, use the Path() macro. It’s a convenient, simple way to declare alternative routes
Seems like this would be a very common need: once you switch to a custom failure track, you want it to stay on that track until the end!!!
The problem is that in a Railway, everything automatically has 2 outputs. But we really only need one (which is exactly what Path gives us). And you end up fighting the defaults when there are the automatic 2 outputs, because you have to remember to explicitly/verbosely redirect all of those outputs or they may end up going somewhere you don't want them to go.
The default behavior of everything going to the next defined step is not helpful for doing that, and in fact is quite frustrating because you don't want unrelated steps to accidentally end up on one of the tasks in your custom failure track.
And you can't use
fail
for custom-track steps becase that breaksmagnetic_to
for some reason.I was finding myself very in need of something like this, and was about to write my own DSL, but then I discovered this. I still think it needs a better DSL than this, but at least they provided a way to do this. Much needed.
For this example, I might write something like this:
step :decide_type, Output(Activity::Left, :credit_card) => Track(:with_credit_card) # Create the track, which would automatically create an implicit End with the same id. Track(:with_credit_card) do step :authorize step :charge end
I guess that's not much different than theirs. Main improvement is it avoids ugly need to specify end_id/end_task.
But that wouldn't actually be enough either in this example, because you would actually want to have a failure track there and a path doesn't have one ... so it sounds like Subprocess and a new self-contained ProcessCreditCard Railway would be the best solution for this particular example... Subprocess is the ultimate in flexibility and gives us all the flexibility we need)
But what if you had a path that you needed to direct to from 2 different tasks' outputs?
Example: I came up with this, but it takes a lot of effort to keep my custom path/track hidden/"isolated" and prevent other tasks from automatically/implicitly going into those steps:
class Example::ValidationErrorTrack < Trailblazer::Activity::Railway step :validate_model, Output(:failure) => Track(:validation_error) step :save, Output(:failure) => Track(:validation_error) # Can't use fail here or the magnetic_to won't work and Track(:validation_error) won't work step :log_validation_error, magnetic_to: :validation_error, Output(:success) => End(:validation_error), Output(:failure) => End(:validation_error) end
puts Trailblazer::Developer.render o Reloading... #<Start/:default> {Trailblazer::Activity::Right} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=validate_model> #<Trailblazer::Activity::TaskBuilder::Task user_proc=validate_model> {Trailblazer::Activity::Left} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=log_validation_error> {Trailblazer::Activity::Right} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=save> #<Trailblazer::Activity::TaskBuilder::Task user_proc=save> {Trailblazer::Activity::Left} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=log_validation_error> {Trailblazer::Activity::Right} => #<End/:success> #<Trailblazer::Activity::TaskBuilder::Task user_proc=log_validation_error> {Trailblazer::Activity::Left} => #<End/:validation_error> {Trailblazer::Activity::Right} => #<End/:validation_error> #<End/:success> #<End/:validation_error> #<End/:failure>
Now attempt to do it with Path... Does the Path() have an ID we can reference? Or maybe we just keep a reference to the object and use it directly in 2 different places?
class Example::ValidationErrorTrack::VPathHelper1 < Trailblazer::Activity::Railway validation_error_path = Path(end_id: "End.validation_error", end_task: End(:validation_error)) do step :log_validation_error end step :validate_model, Output(:failure) => validation_error_path step :save, Output(:failure) => validation_error_path end
o=Example::ValidationErrorTrack::VPathHelper1; puts Trailblazer::Developer.render o Reloading... #<Start/:default> {Trailblazer::Activity::Right} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=validate_model> #<Trailblazer::Activity::TaskBuilder::Task user_proc=validate_model> {Trailblazer::Activity::Left} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=log_validation_error> {Trailblazer::Activity::Right} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=save> #<Trailblazer::Activity::TaskBuilder::Task user_proc=log_validation_error> {Trailblazer::Activity::Right} => #<End/:validation_error> #<Trailblazer::Activity::TaskBuilder::Task user_proc=save> {Trailblazer::Activity::Left} => #<Trailblazer::Activity::TaskBuilder::Task user_proc=log_validation_error> {Trailblazer::Activity::Right} => #<End/:success> #<End/:success> #<End/:validation_error> #<End/:failure>
It's just too bad that:
- there's not a Railway helper in case you want multiple outputs, though we could probably create one pretty easily using Path as our template
- we can't "inline" a separate Railway acitivity (Subprocess "nests" it rather than "inlines")
-
step :direct_debit
I don't think we would/should really want to make this the "success" (Right) path and :credit_card be the "failure" (Left) track.
Maybe it's okay to repurpose Left and Right for something other than failure/success ... but only if we can actually change the default semantic of those signals/outputs. Is that possible? Maybe there's a way to override or delete the default outputs?
Tags
- useful
- tip
- verbose / noisy / too much boilerplate
- concise
- semantics
- flexibility
- powerful
- example: not how you would actually do it (does something wrong/bad/nonideal illustrating but we should overlook it because that's not the one thing the example is trying to illustrate/show us)
- trailblazer-activity
- example: in order to keep example concise/focused, may not implement all best practices (illustrates one thing only)
- helper functions
- feels wrong
- I have a question about this
Annotators
URL
-
-
queue.acm.org queue.acm.org
-
how to track on-call coverage
-
-
github.com github.com
-
How do you know if source maps are working correctly? Try adding a syntax error to one of your assets and use the console to debug. Does it show the correct file and source location? Or does it reference the top level application.js file?
-
-
en.wikipedia.org en.wikipedia.org
-
found that using only the Pascal-provided control structures, the correct solution was given by only 20% of the subjects, while no subject wrote incorrect code for this problem if allowed to write a return from the middle of a loop.
-
-
sobolevn.me sobolevn.me
-
But why do we return 0? Why not 1? Why not None? And while None in most cases is as bad (or even worse) than the exceptions, turns out we should heavily rely on business logic and use-cases of this function.
-
-
github.com github.com
-
While Trailblazer offers you abstraction layers for all aspects of Ruby On Rails, it does not missionize you. Wherever you want, you may fall back to the "Rails Way" with fat models, monolithic controllers, global helpers, etc. This is not a bad thing, but allows you to step-wise introduce Trailblazer's encapsulation in your app without having to rewrite it.
Tags
- rails: the Rails way
- leaving the details of implementation/integration up to you
- abstractions
- allowing developer/user to pick and choose which pieces to use (allowing use with competing libraries; not being too opinionated; not forcing recommended way on you)
- Trailblazer
- making changes / switching/migrating gradually/incrementally/step-wise/iteratively
- focus on what it should do, not on how it should do it (implementation details; software design)
- focus on concepts/design/structure instead of specific/concrete technology/implementation
- newer/better ways of doing things
- freedom of user to override specific decision of an authority/vendor (software)
Annotators
URL
-
-
github.com github.com
-
This is a breaking change so it'll have to go into a major release. I was working on a v4 release but it's too much. I think I'm going to pair it back and we can add this to the new v4. When I have that ready, I'll rebase the merge onto that branch.
-
-
github.com github.com
-
I don't think seeing it in Rails PRs naturally means we should do it blankly. Put it another way, what's the justification in those PRs for doing it?
Tags
- understand the ramifications/effects/consequences
- understand both sides of an issue
- fallacy: doing something because it's popular / everyone is doing it
- understand the trade-offs
- investing time to really understand something
- justification for existence
- rationale
- doing something without knowing why/how it works
- why?
Annotators
URL
-
-
cherrycreekschools.instructure.com cherrycreekschools.instructure.com
-
I am wondering the same exact thing.
-
-
www.reddit.com www.reddit.com
-
Space: Suppose we had infinite memory, then cache all the data; but we don't so we have to decide what to cache that is meaningful to have the cache implemented (is a ??K cache size enough for your use case? Should you add more?) - It's the balance with the resources available.
-
Time: Suppose all your data was immutable, then cache all the data indefinitely. But this isn't always to case so you have to figure out what works for the given scenario (A person's mailing address doesn't change often, but their GPS position does).
-
-
www.quora.com www.quora.com
-
So the hard and unsolvable problem becomes: how up-to-date do you really need to be?
-
After considering the value we place, and the tradeoffs we make, when it comes to knowing anything of significance, I think it becomes much easier to understand why cache invalidation is one of the hard problems in computer science
the crux of the problem is: trade-offs
-
-
www.reddit.com www.reddit.com
-
the most productive environment possible for people that use their computer to create.What is a productive environment?How do you measure productivity in an operating system environment?How do you compare YOUR distribution to other distributions when it comes to productivity?Is the way in which 'people that use their computer to create' (creators) the same across all professions and activities?Does a photographer have the same requirements for a productive environment as a software engineer?Why do you think your distribution will be the best for delivering a productive environment than any other Linux distribution?
-
- Jan 2021
-
stackoverflow.com stackoverflow.com
-
systemd has such huge documentation. systemd.unit Did you try searching for explanation yourself? What did you find?
-
-
blog.linuxmint.com blog.linuxmint.com
-
http://letmegooglethat.com/?q=How+to+change+the+default+search+engine+in+chromium&l=1
-
-
github.com github.com
-
How should this be manually tested?
-
-
-
It's not impossible, but it's not likely I would accept someone I haven't worked with IRL or know on a personal level. That's because I want some form of creative control over the direction and I want to maintain the existing code style. If I know you I'm more likely to know that this will keep working the way I want it to.
-
Show me good PRs, bug triaging, documentation fixes, whatever and you're a candidate if you ask for it.
-
-
-
In this article, learn how to create a streaming service like Netflix and how to launch a streaming service with unique features.
-
- Dec 2020
-
www.excellentwebworld.com www.excellentwebworld.com
-
Learn how to create a streaming service like Netflix. Explore how to start streaming service with unique features.
-
-
-
Learn how to create a streaming service like Netflix. Explore how to start streaming service with unique features.
-
- Nov 2020
-
stackoverflow.com stackoverflow.com
-
If you want a reference to the global object that works in any context, you can read this from a directly-called function. const global = (function() {return this})();. This evaluates to window in the browser, self in a service worker and global in nodejs.
-
-
-
Learn how to create a dating app that will rival Tinder. Get step-by-step guide, learn about monetization strategies, and find out what it takes to build a dating app in 2020.
-
-
-
Wondered how to make an online selling app? Here’s a guide with tech & business details, technologies and processes for 2020 on how to develop a successful eCommerce app and drive maximum sales.
-
-
-
Do you want to know how to make an app like Uber? Read this 2020 guide to learn about business and technical sides of uber-like app development.
-
-
github.com github.com
-
Test plan You need a large NPM package in a private org on the npmjs.org registry. 10MB download size is ideal.
-
-
blog.readwise.io blog.readwise.io
-
How many times have you heard the cliché, for example, read between the lines? It turns out, the key to reading between the lines is actually to write between the lines. Once you start, you'll discover a whole new reading experience, elevated from that of a one-sided lecture to a two-sided conversation.
reading as a conversation between myself and the text.
-
-
-
Do you want to know how much it costs to make an app? Learn the cost to develop iOS & Android apps in 2020 and about the main influencing factors and indicators.
-
-
addevice.io addevice.io
-
Want to know how to create a workout app? Learn about trending fitness app types and features, how to make money with such apps, and how much it will cost you.
If you want to know How to Create a Workout App with our team for a free consultation and mobile application estimation.
-
-
-
How to Create a Messaging Application from Scratch
How to create a messaging app from scratch - what tools and technologies are used in messaging and chat application development process.
If you want to know How to Create a Messaging Application from Scratch with our team for a free consultation and mobile application estimation.
-
-
-
github.com github.com
-
All standard UI events are forwarded.
-
class: '' - A CSS class string.
-
-
github.com github.com
-
Just coming here to voice my agreement that these warnings are annoying and exist in other libraries as well. For me this happened with svelma. I didn't write the library code, so I don't have complete control over it even though I agree there is an argument to be had around whether I should be notified anyway. In either case, these warnings should be easily disabled since libraries don't always get updated over night.
-
-
github.com github.com
-
Maybe it's also a bug because every warning should be ignorable? Not sure.
-
I would like the compiler to add a property like canIgnore: false to the warning, if the warning cannot be disabled.
-
-
www.benkuhn.net www.benkuhn.net
-
When you’re implementing a bad plan yourself, instead of having a mentor bail you out by fixing it, a few really useful things happen:You learn many more details about why it was a bad idea. If someone else tells you your plan is bad, they’ll probably list the top two or three reasons. By actually following through, you’ll also get to learn reasons 4–1,217.You spend about 100x more time thinking about how you’ll avoid ever making that type of mistake again, i.e., digesting what you’ve learned and integrating it into your overall decision-making.By watching my mistakes and successes play out well or badly over the course of months, I was able to build much more detailed, precise models about what does and doesn’t matter for long-term codebase health. Eventually, that let me make architectural decisions with much more conviction.
There's a benefit to embarking on a challenge without a more experienced authority to bail you out.
- You learn many more details about why it's a bad idea.
- The lessons you learn in terms of how to avoid the mistakes you made stick with you longer
(I would add that the experience is more visceral, it activates more modalities in your brain, and you remember it much more clearly.)
These types of experiences result in what the author calls more "detailed, precise models". For me they result in a sort of intuition.
-
- Oct 2020
-
www.julian.com www.julian.com
-
But what should you write about? Simply ask yourself, What's bothering you most right now? Write a post where you work through that—and get to a conclusion. This is how I start every time. Writing is therapy that you publish for the world to learn from.
-
-
www.julian.com www.julian.com
-
First, choose your topicThe best topic to write about is the one you can’t not write about. It’s the idea bouncing around your head that urges you to get to the bottom of it.You can trigger this state of mind with a two-part trick. First, choose an objective for your article:Open people’s eyes by proving the status quo wrong.Articulate something everyone’s thinking about but no one is saying. Cut through the noise.Identify key trends on a topic. Use them to predict the future.Contribute original insights through research and experimentation.Distill an overwhelming topic into something approachable. (This guide.)Share a solution to a tough problem.Tell a suspenseful and emotional story that imparts a lesson.Now pair that objective with a motivation:Does writing this article get something off your chest?Does it help reason through a nagging, unsolved problem you have?Does it persuade others to do something you believe is important?Do you obsess over the topic and want others to geek out over it too?That’s all that's needed: Pair an objective with a motivation. Now you have something to talk about.
-
-
stackoverflow.com stackoverflow.com
-
If you have a better/simpler/"more official" solution, I'd still love to see it!
The "official" solution is to use submitErrors (see Erik's answer).
-
-
nesslabs.com nesslabs.com
-
The idea of the hermeneutic circle is to envision a whole in terms how the parts interact with each other, and how they interact with the whole. That may sound a little bit out there, so let’s have a look at a concrete example.
This is a general concept, the rest of the article extrapolates the idea to the act of reading. This may be a stretch, since it implies that whatever can be broken into parts will belong to the hermeneutic circle, while this only applies to interpreting (text)
-
-
svelte.dev svelte.dev
-
whenValueChanges whenValueBecomes
-
-
www.amazon.com www.amazon.com
-
How to Win at College: Surprising Secrets for Success from the Country's Top Students Paperback – April 12, 2005 by Cal Newport
-
-
www.amazon.com www.amazon.com
-
How to Become a Straight-A Student: The Unconventional Strategies Real College Students Use to Score High While Studying Less Kindle Edition by {"isAjaxComplete_B001IGNR0U":"0","isAjaxInProgress_B001IGNR0U":"0"} Cal Newport (Author) › Visit Amazon's Cal Newport Page Find all the books, read about the author, and more. See search results for this author Are you an author? Learn about Author Central Cal Newport (Author)
-
-
www.amazon.com www.amazon.com
-
How to Be a High School Superstar: A Revolutionary Plan to Get into College by Standing Out (Without Burning Out) 1st Edition, Kindle Edition by {"isAjaxComplete_B001IGNR0U":"0","isAjaxInProgress_B001IGNR0U":"0"} Cal Newport (Author) › Visit Amazon's Cal Newport Page Find all the books, read about the author, and more. See search results for this author Are you an author? Learn about Author Central Cal Newport (Author)
-
-
www.amazon.com www.amazon.com
-
Deep Work: Rules for Focused Success in a Distracted World Hardcover – January 5, 2016 by Cal Newport
-
-
www.amazon.com www.amazon.com
-
Learning How to Learn: How to Succeed in School Without Spending All Your Time Studying; A Guide for Kids and Teens Paperback – Illustrated, August 7, 2018 by Barbara Oakley PhD
-
-
www.amazon.com www.amazon.com
-
A Mind for Numbers: How to Excel at Math and Science (Even If You Flunked Algebra) Audible Audiobook – Unabridged Barbara Oakley (Author), Grover Gardner (Narrator), Gildan Media, LLC (Publisher) & 2 more
-
-
-
Using the keyboard arrows, navigate down the suggestion list to the item(s) you want to remove from the Chrome autofill suggestions With the suggestion highlighted, use the appropriate keystroke sequence to delete the Chrome suggestion:
Linux: Shift + Delete
-
-
-
If the react cargo cult didn't have the JSX cowpath paved for them and acclimated to describing their app interface with vanilla javascript, they'd cargo cult around that. It's really about the path of least resistance and familiarity.
-
-
github.com github.com
-
For the sake of best compatibility we convert the className attribute to class for svelte.
Svelte refuses to standardize on any way to pass a CSS class. I thought className was actually the most common name for this prop though even in Svelte...
-
-
github.com github.com
-
-
If there was a place I thought reactivity would be weak, I embraced it and I worked on it until I was happy with the results.
-
-
impedagogy.com impedagogy.com
-
How To Write This Poem
begin here …with TIME
where words
are layered with text
where the pen
etches into screen …
then go here …
(https://www.vialogues.com/vialogues/play/61205)
… only to leap from one place
to another,
where my mind goes
I hardly every know,
only that it ventures forward …
… heard by hearts,
and scattered stars,
where I see the sky fall,
you find the debris …
our thoughts.
(https://nowcomment.com/documents/234044)
Might we be permitted them?
The dragonfly
rarely yields her ground
to the critics among
us.
-
Kevin's Response
How To Write This Poem
begin here …with TIME
where words
are layered with text
where the pen
etches into screen …
then go here … https://www.vialogues.com/vialogues/play/61205
... only to leap from one place to another, where my mind goes I hardly every know, only that it ventures forward ...
… heard by hearts, and scattered stars, where I see the sky fall, you find the debris …. https://nowcomment.com/documents/234044
Your thoughts?
-
-
fs.blog fs.blog
-
be quick to start books, quicker to stop them, and read the best ones again right after you finish
farnam street blog tips on reading
-
- Sep 2020
-
github.com github.com
-
I pushed the build files & tested it in my environment so this should work as is.
-
I pushed a hotfix, based on v3.6.3 proposed by #2086 (comment) In package.json, under devDependencies, use: "svelte": "btakita/svelte#svelte-gh-2086-hotfix"
-
-
github.com github.com
-
DX: start sapper project; configure eslint; eslint say that svelt should be dep; update package.json; build fails with crypt error; try to figure what the hell; google it; come here (if you have luck); revert package.json; add ignore error to eslint; Maybe we should offer better solution for this.
-
When the message say function was called outside component initialization first will look at my code and last at my configuration.
Tags
- error messages: should reveal/point to why/how error was caused and how to fix/prevent it
- dev experience
- can we do even better?
- useless/unhelpful/generic error messages that don't reveal why/how error was caused
- errors are helpful for development (better than silently failing)
- web search for something brings me here
- good point
- reasonable expectation
- errors
- expectations
- frustrating
- what a reasonable person would do
Annotators
URL
-
-
-
Most simple example: <script> import ChildComponent from './Child.svelte'; </script> <style> .class-to-add { background-color: tomato; } </style> <ChildComponent class="class-to-add" /> ...compiles to CSS without the class-to-add declaration, as svelte currently does not recognize the class name as being used. I'd expect class-to-add is bundled with all nested style declarations class-to-add is passed to ChildComponent as class-to-add svelte-HASH This looks like a bug / missing feature to me.
-
-
I wrote hundreds of Rect components and what I learned is that Componets should be able to be styled by developer who is using it.
-
color: red; //doesn't apply this rule, because scoping doesn't extend to children
-
Say I want to style this javascript routing anchor tag on various pages (some may be buttons, plain links, images) it makes it incredibly difficult. Eg:
-
Having to wrap everything in a selector :global(child) { } is hacky
-
-
-
I think instead, there would need to be some special way to make the distinction of what is a slot attribute and what is a slot prop to be consumed with let:. Maybe a new directive like <slot attr:class="abc"/>?
-
-
github.com github.com
-
feel like there needs to be an easy way to style sub-components without their cooperation
-
The problem with working around the current limitations of Svelte style (:global, svelte:head, external styles or various wild card selectors) is that the API is uglier, bigger, harder to explain AND it loses one of the best features of Svelte IMO - contextual style encapsulation. I can understand that CSS classes are a bit uncontrollable, but this type of blocking will just push developers to work around it and create worse solutions.
Tags
- trying to prevent one bad thing leading to people doing/choosing an even worse option
- +0.9
- key point
- interesting wording
- control (programming)
- important point
- Svelte: how to affect child component styles
- how to affect child component components without their cooperation
- missing out on the benefits of something
- arbitrary limitations leading to less-than-ideal workarounds
- quotable
- Svelte: CSS encapsulation
Annotators
URL
-
-
github.com github.com
-
There is a good amount of properties that should mostly be applied from a parent's point of view. We're talking stuff like grid-area in grid layouts, margin and flex in flex layouts. Even properties like position and and the top/right/left/bottom following it in some cases.
-
Svelte will not offer a generic way to support style customizing via contextual class overrides (as we'd do it in plain HTML). Instead we'll invent something new that is entirely different. If a child component is provided and does not anticipate some contextual usage scenario (style wise) you'd need to copy it or hack around that via :global hacks.
-
This allows passing classes to child components with svelte-{hash} through the class prop and prevents removing such classes from css.
Tags
- forking to add a desired missing feature/change
- trying to prevent one bad thing leading to people doing/choosing an even worse option
- forced to fork/copy and paste library code because it didn't provide enough customizability/extensibility / didn't foresee some specific prop/behavior that needed to be overridable/configurable (explicit interface)
- run-time dynamicness/generics vs. having to explicitly list/hard-code all options ahead of time
- workarounds
- component/library author can't consider/know ahead of time all of the ways users may want to use it
- Svelte: components are their own boss (encapsulation)
- who should have control over this? (programming)
- Svelte: how to affect child component styles
- maintenance burden to explicitly define/enumerate/hard-code possible options (explicit interface)
- ugly/kludgey
Annotators
URL
-
-
svelte.dev svelte.dev
-
github.com github.com
-
The more I think about this, the more I think that maybe React already has the right solution to this particular issue, and we're tying ourselves in knots trying to avoid unnecessary re-rendering. Basically, this JSX... <Foo {...a} b={1} {...c} d={2}/> ...translates to this JS: React.createElement(Foo, _extends({}, a, { b: 1 }, c, { d: 2 })); If we did the same thing (i.e. bail out of the optimisation allowed by knowing the attribute names ahead of time), our lives would get a lot simpler, and the performance characteristics would be pretty similar in all but somewhat contrived scenarios, I think. (It'll still be faster than React, anyway!)
-
-
-
the ability to pass around element names as strings in place of components
-
-
github.com github.com
-
No, this is about using a string to create an element of that tag name.
-
-
-
-
I would hope for it to come with React-like behavior where I could pass in a string (like div or a) and have it show up as a normal div/a element when the child component used it.
-
-
-
Part of the functionality that is returned are event handlers. I'd like to avoid needing to manually copy the events over one by one so the hook implementation details are hidden.
-
-
-
However, we've another unresolved problem - passing parent's styles to child components.
-
-
svelte.dev svelte.dev
-
readingandwritingyour.world readingandwritingyour.world
-
github.com github.com
- Aug 2020
-
pragmaticpineapple.com pragmaticpineapple.com
-
Knowing all this, what would you do? Which path would you choose and why? The answer might seem obvious now that you come from the future - React
-
-
unix.meta.stackexchange.com unix.meta.stackexchange.com
-
"When an OP rejects your edit, please do not edit it back in!" Correspondingly, when a user repeatedly does try to edit, understand that something in your framing isn't working right, and you should reconsider it.
-
- Jul 2020
-
lwn.net lwn.net
-
"that text has been removed from the official version on the Apache site." This itself is also not good. If you post "official" records but then quietly edit them over time, I have no choice but to assume bad faith in all the records I'm shown by you. Why should I believe anything Apache board members claim was "minuted" but which in fact it turns out they might have just edited into their records days, weeks or years later? One of the things I particularly watch for in modern news media (where no physical artefact captures whatever "mistakes" are published as once happened with newspapers) is whether when they inevitably correct a mistake they _acknowledge_ that or they instead just silently change things.
-
- Jun 2020
-
stackoverflow.com stackoverflow.com
-
Wish more questions are asked that way
-
-
www.nytimes.com www.nytimes.com
-
Zimmer, C. (2020, June 1). How You Should Read Coronavirus Studies, or Any Science Paper. The New York Times. https://www.nytimes.com/article/how-to-read-a-science-study-coronavirus.html
-
- May 2020
-
github.com github.com
-
Deepset-ai/haystack. (2020). [Python]. deepset. https://github.com/deepset-ai/haystack (Original work published 2019)
-
-
agilevelocity.com agilevelocity.com
-
managing yourself and others.
Authors promote two ideologies.
- Managing Self: The Five Eds (well, first Three) from Agile Leadership by B. Joiner
- Managing Others: at its base is Dave Pink's Drive model: Autonomy, Mastery and Purpose. Authors then go to explain some ways of achieving each of previous.
-
-
gitlab.com gitlab.com
-
These two are in my opinion the most problematic — the basically go against each other. Typically, I try to work in increments over a feature and commit when I reach whatever techinical milestone I want to "checkpoint" at. It can also be out of the need to expose some idea or architecture and push it.
-
-
notes.andymatuschak.org notes.andymatuschak.org
-
Instead of having a task like “write an outline of the first chapter,” you have a task like “find notes which seem relevant.” Each step feels doable. This is an executable strategy (see Executable strategy).
Whereas Dr. Sönke Ahrens in How to Make Smart Notes seemed to be saying that the writing of a permanent note (~evergreen note) is a unit of knowledge work with predictable effort & time investment (as well as searching for relevant notes), Andy emphasizes only the note searching activity in this context.
-
-
en.wikipedia.org en.wikipedia.org
-
However, since problems are only addressed when they arise, maintenance is reactive rather than proactive. Small problems left unaddressed can balloon into major failures due to focus on cost.
-
- Apr 2020
-
www.cnbc.com www.cnbc.com
-
But now, I think there’s still some lack of clarity from consumers on exactly what they need to do
-
-
en.wikipedia.org en.wikipedia.org
-
Potential for political focus on building new features over technical improvements (such as refactoring)
-
-
makandracards.com makandracards.com
-
What we actually want to do is to escape content if it is unsafe, but leave it unescaped if it is safe. To achieve this we can simply use SafeBuffer's concatenation behavior:
-
Our helper still returns a safe string, but correctly escapes content if it is unsafe. Note how much more flexible our group helper has become because it now works as expected with both safe and unsafe arguments. We can now leave it up to the caller whether to mark input as safe or not, and we no longer need to make any assumptions about the safeness of content.
-
-
accessmedicine.mhmedical.com accessmedicine.mhmedical.com
-
Sedation, osmotic diuresis, paralysis, ventricular drainage, and barbiturate coma are used in sequence, with coma induction being the last resort.
-
CPP can be increased by either lowering ICP or raising mean arterial pressure.
-
- Mar 2020
-
www.iubenda.com www.iubenda.com
-
To read the consent from the __cmp function, you can open the browser console and launch these commands
Tags
Annotators
URL
-
-
www.datatables.net www.datatables.net
-
Describe the problem fully Link to a test case showing the problem.
-
Without this information, very likely your question will not be answered, frustrating both yourself and anyone else who does want to help, because they are unable to do so
-
ask your question in a way that it provides enough information that it can be answered
-
- Feb 2020
-
ocw.mit.edu ocw.mit.edu
-
How to Speak
how to speak lecture
-
-
www.healthlinetalk.com www.healthlinetalk.com
-
Apart from their delightful flavour, dates, also known as “Khajoor” are incredibly healthy and there are colossal benefits of eating dates in the morning.
-
-
-
A Step By Step Guide to Design a Logo for Your ClientsPosted by jennytarga on February 7th, 2020Logo is a very important part of building your brand image. It is the first brick that goes into your business branding, therefore a logo design becomes very important for your business to grow big.Branding allows your brand to connect with your clients and help them remember you wherever they go. These qualities are essential for your business to grow big. Since logo design plays such importance in business, therefore, we’ve curated a step by step guide to designing a logo for your clients.Understanding Clients NeedsUnderstanding the client's needs and wants helps you in managing project time and efforts. If your client is what something else is and you are providing something else then it's not going to work. Therefore, coming up with a design that reflects the client’s brief saves you multiple revisions and additional hours of work.The client's needs can be found in the design brief he/she provides at the first meeting. This brief is the holy grail that you can never cross. Now that being said, you can add a little innovation and personalized style into the design but, within the context of the design brief.Define Brand IdentityBrand identity is how people perceive your client. It might sound simple but it is way more complex than that. Around 65% of humans are visual learners, therefore, influencing them using visual means helps your brand identity to get registered in your client’s mind faster.Defining your brand identity gives you guidelines and instructions on what to do and what not to do. There are thousands of permutations and combinations that you can use to come up with a logo design but, when you have a brand identity guide you can save yourself tons of time and brainstorming efforts. This type of branding using visuals is called Visual Branding. Analyze CompetitorsAnalyzing competitors helps you in getting inspirations and design structures. You can learn about industry standards after analyzing the competitors and researching the industry as a whole. For research, you can use Google, Google Images and the competitor's websites.Decision on Logo StyleLogo style is your approach towards the particular design. You can use the data collected from analyzing the competitors to decide your design style.A logo style can tell you different things about the brands, therefore choose this very carefully. Some of the common logo styles are as follows-ClassicModern & minimalistic designHandmade designVintage designChoose Logo TypeThere are several different types of logos that you can use for your design project. To decide on the logotype you can use the competitor analysis as well as the design brief. You can also provide your clients with two or more different types of logo concepts. Giving them options to choose from enables you to deeply understand what they want.Choose Color PaletteColor is the most important part of a logo. The brand guide and branding process always have a defined color palette. Designers must never go out of these palette to ensure uniformity of brand designs.If the business is brand new you have to choose the color wisely. Color plays a significant role in our everyday decisions and the same applies to the brand. You can use this guide on color psychology to learn more about color psychology.Choose Right TypographyRight typography that matches the characteristics of the brand image enables the brand to express its underlying feel to the viewer.Provide the Best OptionIf you are providing the graphic design services to the clients then it becomes essential for you to design multiple options for your clients. Designing a logo can be challenging and requires years of experience. To get the best result with your designs you need to keep practicing and keep learning about new trends and techniques.Go, Design Logo Now!Use this guide to implement your design project idea into a physical design. The most important part of being a professional logo designer is to keep practicing your skills. You can always use sites like Pinterest, Dribble to get inspiration but, the most important thing is to keep practicing.
Use this step by step guide to design a logo for your clients that they can never reject.
-
- Jan 2020
-
write.as write.as
-
to remember how to best fall down;
Remember how our children learned to walk? Yeah, they didn't learn how to walk, they learned how to fall down.
-
-
github.com github.com
-
Through a process called rehashing, rbenv maintains shims
How does rehashing work?
-
- Dec 2019
-
-
CloneZilla works perfectly. It produces small image files, has integrity check and works fast. If you want to use third device as image repository you should choose device-image when creating image of the first disk and then image-device when you restore it to second disk. If you want to use only two disks - you should use device-device mode. Optionally you may want generate new UUIDs, SSH-key (if SSH server installed), and change hostname.
-
-
justread.link justread.link
- Oct 2019
-
publimetry.com publimetry.com
-
stackoverflow.com stackoverflow.com
-
In Chrome browser, open Developer Tools and select Elements tab, then open the contextual menu of the parent node of the element you want to inspect, in the contextual menu click on Break on > Subtree modifications. Afterwards you just need to click on the page and you'll get on the inspector without losing focus or losing the element you want to inspect.
-
(() => { debugger; }, 5000)
-
- May 2019
-
inst-fs-iad-prod.inscloudgate.net inst-fs-iad-prod.inscloudgate.net
-
“How I Learned to Sweep”
The poem by Alvarez is powerful and a recording appears here.
-
-
www.filteredformulas.com www.filteredformulas.com
-
Read on how to grow big butt
-
- Apr 2019
-
-
Worldwide gaming industry is worth billions and with such high figures at stake gamers never compromise on the hardware used for their professional gaming matches. The world is also recognizing gaming as a full-time employment and earning opportunity rather than the just a free time hobby. Now let’s come to facts. Things might look simple but it’s easier said than done. Professional gamers invest a lot on their hardware and equipment to reach at the top. If you are one of those who is inspired to be follow their steps or stepping into this industry, then this is a must-read article for you. In this article we will be covering How to Choose the right Gaming Monitor for your PC, undoubtedly the most important investment a gamer needs to make. Selecting a Gaming Monitor– Physical Design, Shape & Size: While finalizing the design first take into account the space available at your desk for the same. You would never want a misfit, specially when it comes to a gaming monitor. Idle size would be 24”. After the size comes the shape of the design and shape. Flat screen monitors are slowly giving way to curved screen ones with better view and immersive experience. Remember your size shape and design of your monitor would have a great impact on your gaming experience. Huntkey a leading online electrical and electronics store based in USA has a collection of gaming monitors for all level of gamers depending upon the requirement, budget, size etc. Selecting a Gaming Monitor- Specifications: 3 specifications should always be taken care of while buying any sort of visual monitor for an immersive experience, native resolutions, response rate & viewing angle. Higher resolutions ensure more information is packed into your monitor. Here the recommended resolutions size is of 1920X1080. A gamer always requires detailed information for successfully completing the missions. This where higher pixels or resolution play a key role. Let’s take an example for a real war mission. You blink and you die. The same also goes for a gamer involved in this genre of gaming where even a delay of certain milliseconds can end the entire mission for you. Professional gamers probably would end up losing millions of dollars where the response rate of the monitor is not optimal. Even though there is no well-defined response rate but anything that ensures you take the headshot every time, probably a response rate between 2-5 milliseconds would be helpful. This feature is most importantly relevant for television viewing or for motion graphics/movie viewing. Viewing angle is the angle from which if viewed, the quality of graphics appearing in te video doesn’t degrade. In most cases unless the display is curved or of high specs, moving away from the center of the display downgrades the viewing experience. For online purchase of gaming monitors visit HuntKey.com.
Worldwide gaming industry is worth billions and with such high figures at stake gamers never compromise on the hardware used for their professional gaming matches. The world is also recognizing gaming as a full-time employment and earning opportunity rather than the just a free time hobby.
-
- Mar 2019
-
ia801306.us.archive.org ia801306.us.archive.org
-
therefore at least to some extent a failure
this is strange; I suppose you can 'succeed' in carrying out the utterance, but it does not consecrate anything, which... is the entire point? So, strange to say that it fails only in part when in another sense it fails completely. It's like I succeeded in taking a shot but missed the basket?
-
One thing we might go on to do, of course, is to take it all back
How can you take back an action? (though you could retract a claim about an action, of course)
-
So far then we have merely felt the firm ground of prejudice slide away beneath our feet.
Not absolute; not bedrock (though we thought it was). And merely? This is "merely" the dissolution of what you thought reality was?
-
That this is SO can perhaps hardly be proved, but it is, I should claim, a fact.
Haha - claiming "truth" for something that he acknowledges might not be provable - 'take my word for it, it's a fact'. Use of the performative again in "claim," e.g. "I claim" cannot be responded to with "that's not true!"
-
outward and audible sign
Proverbial tip of the iceberg; the "seen" part.
-
Here we should say that in saying-these words we are doing some- thing-namely, marrying, rat her than reporting some- thing, namely that we are marrying
Important distinction between doing and reporting; the former obviously an action, and the latter a verifiable statement. But can the lines blur? Is "I do" ever reporting the fact that you are getting married, which is verifiable?
-
Yet to be 'true' or 'false' is traditionally the characteristic mark of a statement.
All statements are boolean: T/F
-
all cases considered
Not sure that all cases considered are worth considering...?
-
the only merit I should like to claim for it is that of being true, at least in parts
You would think the goal of an essay would be to find or argue a truth, but here he is marginalizing it; truth is not the goal.
Arguing that truth and falsehood are not what matters; that the performative exists outside such claims (as we learn later).
Using the performative in his opening through the use of "I claim"; and here he claims truth. He performs his own argument.
-
we shall next consider what we actually do say about the utterance concerned when one or another of its normal concomitants is absent
So the utterance is surrounded by other ceremonial trappings, and without which there is a presumption that the utterance is hollow, that the accompaniments make it "complete"; suggests that the ceremony becomes greater than the sum of its parts by being able to bring about this binding force which the parts cannot do individually; or can they - is just the utterance enough to describe and seal the inward act? The other question is, does the utterance imply (and describe) the other trappings?
-
our word is our bond
And yet these are just words; as believable or unbelievable as the uttering of an oath?
-
Thus 'I promise to . . . 9 obliges me-puts on record my spiritual assumption of a spiritual shackle.
The consecration of the oath; but when is the uttering just a garnishment? For some, the internal / spiritual bond is the key thing, binding regardless of whether the one to whom the words are uttered believes them or not; the words are just words, but the intent is everything. The intent can exist without the words, and so the words can exist without the intent. It is the words though that offer a public record of commitment, and against which one's character is judged and assessed in accordance with their ability to live up to them.
-
fictitious
Interesting choice of words; many swear that they are real and binding, but, yes, they are imaginary (in our culture); we require signed contracts, and verbal oaths are nice, but have a romantic tinge to them and we expect them maybe to not be kept as frequently.
-
the outward utterance is a description, true or false, of the occurrence of the inward performance
The process by which we arm feelings of guilt / responsibility / etc to trigger when we have second thoughts about the vow we've made
-
Surely the words must be spoken 'seriously' and so as to be taken 'seriously' ?
Requires a certain solemnity, yes, but how many vows or promises are made with no intention of ever keeping them? Or only that they were meant in the moment, but that future circumstances resulted in the changing of one's heart/mind?
-
tircumstantes
Drilling down to the even-more-particular; not just anyone can marry somebody, at any time, at any place, with a word (and have it mean anything); requires person w/ particular qualifications / authority / occasion / etc.
Also requires a society/set of institutions that considers such acts normal and reasonable. In this way, the particulars affected by the occasion are part of a much large general sphere in which they are legitimized and sanctioned; and outside of that may exist a larger sphere which is baffled by them.
-
very commonly necessary that either the speaker himself or other persons should also perform certain other actions
While the naming or the uttering of "I do" symbolically 'seals' or makes the transaction official, the naming or the uttering is part of a longer ceremony. Not sure about betting though; it would be strange somehow if a complete stranger bet another with no prior interaction (i.e. no mechanism to build trust, etc), but it could happen
-
dangerous
Dangerous?
-
convert the propositions above
Make them more particular; less general
-
but in some other way
Aren't the words more ceremonial? i.e. in marriage, they bind symbolically, but what really matters is the legal stamp of the JOP? But that's not what everybody stands, applauds or weeps for; maybe on some level that's what we're doing with words here?
-
current
Good qualifier; reminds us that language is always shifting.
-
it indicates that the issuing of the utterance is the performing of an action
Is it true that the function of the utterance is to assign metadata in some way?
-
perfornative sentence
Performs an action affecting particulars in a way that cannot be measured or perceived outside of the moment in which the utterance takes place.
-
I assert this as obvious and do not argue it
Is this phrase also an exercitive, neither true nor false?
-
Examples :
Involve the:
- creation of relationships
- creation of dividing lines which, prior to the uttering of the sentence, did not 'exist'; i.e. prior to "I do" they were not married, but afterwards they are; prior to "I name this ship...", it had no name, but afterwards it does; they are historical mile markers of sorts.
- involves particulars; not all women are my wife; this one is. Not all ships are named; but this one is.
- must be said aloud or in print, and often needs to be backed by some legal authority to "legitimate" the action; of course, anybody can name something, but the 'officially recognized' name can only come from a certain privileged source / I can marry a random woman just by saying "I do" to her, but the 'marriage' is not recognized, etc'; privileges some constructs over others by a vested authority
- also denote things that cannot be done for me; I must utter them in order for them to take effect (be true); they require agency (or the appearance of agency)
- the statements themselves are neither true or false, they just are; ex-post we can decide that a subsequent statement identifying the brother as the legal heir to the watch is 'true' or 'false'; but the original declaration is neither(?)
- involve the combination of words with some ceremony or ritual that somehow enshrines it (in the case of the bet maybe the ritual is the exchange of money, but not sure if that fits the bill). Almost like incantations of sorts.
-
exercit ives
"A speech act in which a decision is made regarding action; examples include orders and grants of permission."
-
the uttering of the sentence is, or is a part of, the doing of an action, which again would not normally be described as saying something
The action is performed with the uttering of the sentence.
-
Yet they will succumb to their own timorous fiction, that a statement of 'the law' is a statemknt of fact.
When in doubt, defer to authority.
-
disguise'
Is the disguise applied moreso by the reader's bias than the author's intent?
-
parti pris
pre-conceived view or bias
-
Whatever we may think of any particular one of these views and suggestions, and however much we may deplore the initial confusion into which philosophical doctrine and method have been plunged, it cannot be doubted that they are producing a revolution in philosophy.
Makes me think of a generation set in its ways butting up against a younger "less respectful" generation that is "doing it all wrong"; i.e. generational divide between viewpoints; some may think a revolution hardly necessary, that it is fine the way it is and that they are simply being disruptive.
-
Constative'
"denoting a speech act or sentence that is a statement declaring something to be the case"
-
It has come to be seen that many specially perplexing words embedded in apparently descriptive statements do not serve to indi- cate some specially odd additional feature in the reality reported, but to indicate (not to report) the circumstances in which the statement is made or reservations to which it is subject or the way in which it is to be taken and the like.
Qualifying / conditional factors?
-
We very often also use utterances in ways beyond the scope at least of traditional grammar.
And how does the reader know exactly, and to what extent, the boundaries of a definition are being pushed by the use of a word which they think they are familiar with?
-
For how do we decide which is which? What are the limits and definitions of each ?
There is an unaddressed problem which hinders clear communication; there is no standard criteria for the establishment of intent in communication. (Doubt that's what the ultimate argument is, but seems to be the set-up)
-
It is, of course, not reaw correct that a sentence ever is a statement: rather, it is used in making a smmt, and the statement itself' is a 'logical construction' out of the dings of satements.
A sentence remains a sentence; it is just a tool or vehicle for the delivery of something which depends entirely on its configuration.
-
It was for too long the assumption of philosophers that the business of a 'statement' can only be to 'describe' some state of affairs, or to 'state some fact', which it must do either truly or falsely.
The utility of the vehicle used to distinguish truth from falsehood itself rests on an assumption; purports that there is or maybe ought to be a 'purpose' to a statement.
-
discussed
Makes it feel inclusive; a conversation.
-
- Jan 2019
-
blog.acolyer.org blog.acolyer.org
-
For large-scale software systems, Van Roy believes we need to embrace a self-sufficient style of system design in which systems become self-configuring, healing, adapting, etc.. The system has components as first class entities (specified by closures), that can be manipulated through higher-order programming. Components communicate through message-passing. Named state and transactions support system configuration and maintenance. On top of this, the system itself should be designed as a set of interlocking feedback loops.
This is aimed at System Design, from a distributed systems perspective.
-
-
inclusive-components.design inclusive-components.design
-
junit.org junit.org
-
2. Installation
Tags
Annotators
URL
-
-
developers.google.com developers.google.com
-
kenrockwell.com kenrockwell.com
-
Get the Nikon 16-35mm, which is Nikon's sharpest ultrawide ever.
Simple, to the point. I like it!
-
- Nov 2018
-
www.newyorker.com www.newyorker.com
-
Writing is selection. Just to start a piece of writing you have to choose one word and only one from more than a million in the language. Now keep going. What is your next word? Your next sentence, paragraph, section, chapter? Your next ball of fact. You select what goes in and you decide what stays out. At base you have only one criterion: If something interests you, it goes in—if not, it stays out. That’s a crude way to assess things, but it’s all you’ve got. Forget market research. Never market-research your writing. Write on subjects in which you have enough interest on your own to see you through all the stops, starts, hesitations, and other impediments along the way.
This one is reminiscent of W. Zinsser's notes in On Writing Well. He makes the argument that one has to first trim out as much as possible, before considering adding back embellishments.
Tags
Annotators
URL
-
- Sep 2018
-
digmedia.lucdh.nl digmedia.lucdh.nl
-
In other words, this tool offers you the possibility to comment, highlight, and annotate text on the web
Like this!
Tags
Annotators
URL
-
- May 2018
-
hypothes.is hypothes.is
-
Getting started
How to get started with hypothes.is
-
- Feb 2018
-
hypothes.is hypothes.is
-
My daughter will be brought up to understand her true value. That’s a promise. As for all the little girls to be born around the world, the creation of these ads is an effort to show how imagination can change the conversation around their lives.
-
- Jan 2018
-
twitter.com twitter.com
-
Hey Hypothesis Users!
Thanks for checking out the hashtag. If you are interested in learning more, there are multiple places to find Twitter EDU - Your one-stop-all-you-need-to-know-guide to Twitter for FREE. You can find them all here: http://DavidTruss.com/TwitterEDU Happy Tweeting! :)
Tags
Annotators
URL
-
-
hypothes.is hypothes.is
-
Irwin Consulting Services Review - How to make sure of a safer winter road trip
Winter season brings in the beauty of cold and white nature. Many people look forward to this kind of weather because they can stay wrapped in their blankets or jackets the whole day while drinking hot chocolate and watching good movies. This month can be the most exciting month for many families because of the holiday season, and a lot of people are making last minute shopping and getting all their preparations done. With this, many individuals are getting busy using their cars to go to different places to buy things or products they needed for their Christmas and New Year celebrations. Others have been doing outdoor activities with their family members, friends or colleagues.
But no matter what the reason is, using your car during this season requires careful preparation to avoid accidents on the road. Irwin Consulting Services would like to provide some help in this regard through some helpful guidelines elucidated in the next paragraphs.
Consider changing into winter tires. This is often advised by many experts especially during this season, and it is even mandatory on particular places in the United States. Snow or winter tires provide traction that is better than all other tires when temperatures are at or below 7 degrees Celsius. Such allows greater control and shorter stopping distances on road surfaces during the cold and snowy weather. If you notice that some of your family members, relatives or friends don’t own this kind of tire, then you must advise them to buy some for their own safety and for all the people who will be riding with them in their cars. The price of this kind of tire can be higher than others but you can be certain that it is all worth it in the long run.
Put drifts into consideration while you’re on the road. You don’t want to be involved in any risky car spins scenarios right? It would be best to be careful with snow drifts because even if you’re driving on a clear road but with some speed, strong winds of winter can push those drifts on the clear road, which can lead to unwanted accidents if you’re not paying attention.
Make sure to properly cover the lids. In order to prevent moisture from freezing, you must cover the tire valves. Doing this, you can avoid air from escaping with the caps properly covered and also prevent having a flat tire.
Provide sufficient air. Going out of the house and engaging in long trips with your car can be a challenge this winter season because of the change in temperatures and other related aspects. If you wish to face the snowy roads prepared, then often check your tire pressure. Make sure to include this condition on your tire maintenance to have the tires in its best shape even with low temperatures and high air pressure.
Preparation is always the key. You can’t win against wintery roads if you’re not prepared to face its consequences. Bring with you some hats, mitts, and even a shovel organized inside your car trunk. Include in your winter driving kit a kitty litter too because it can provide traction to your car on icy or snowy roads. Bring an extra jug of winter windshield washer fluid as well especially during long trips to ensure visibility.
Pass on the knowledge. Some teenagers usually have a less proper understanding of wintery roads. It is your duty as an adult to remind them about the pivotal matters to consider in facing a snowy road to maintain their safety and their young lives. Irwin Consulting Services wanted you to be their guardian on the road, and if you’re a teen reading this then always remember to be prepared and be careful, and always listen to the advice of your older family members or friends.
Your tires also have its limits. You should have ample knowledge to identify when to replace them for good. You can change winter tires every two to three seasons as per advised by car experts. If you wanted to give new purpose to your old tires, a tire collector knows the best ways, so better get in touch with one within your neighborhood.
Irwin Consulting Services had previously provided some tips and guidelines on how to ensure indoor and outdoor safety during this holiday season, and this article is part of their objective to give helpful information to the public in making sure of their safety during any weather conditions.
-
-
hypothes.is hypothes.is
-
Irwin Consulting Services Review - How to ensure a safe mountain climbing this winter
This holiday season, many people are taking advantage of the cold weather to do some extreme activities like mountain climbing. But with this kind of activity, you are very much required to gather all the necessary items and be well-informed in advance in making sure of your survival and safety. If you are with your close friends, family members and colleagues, you are also responsible for their wellbeing, thus you are really needed to be equipped with proper safety equipment and survival skills.
As one of the groups that are committed to public safety, Irwin Consulting Services would like you to be committed to your own safety and to the people you held close to your heart as well, whether you are inside or outside your home, always bear in mind of that responsibility.
The appearance of snowy mountains can be a lovely and calming sight because of its pure whiteness. And different kinds of activities await you in such mountains where you can choose between snowshoeing, skiing or other related activities. But no matter how beautiful those mountains look like, they can still bring danger to you and other people around you, so protect your safety by having all the crucial equipment and learning all the required survival skills.
Determine the final list of activities you wanted to perform on the mountain and then know if each can be conducted at the place safely. You must also ensure that your planned venture suits your fitness level. With this kind of activity, you must never leave home without informing the people close to your heart about your plan. We can’t erase the possibility of it being dangerous, so tell them about the location of the mountain, the date of your return, and other situations where they really need to call the authorities for help in finding you.
When it comes to climbing a mountain, the local authorities will surely suggest or require you to join a group or form a group composed of two or more people to guarantee the safety of everyone concerned. When a person gets injured, the other group members can take care of him or her. But if you really wanted to be alone and face the challenges by yourself, Irwin Consulting Services reminds you that this involves some risks so better be equipped with every item or product necessary for your survival. Before going to the place, spend an hour or two in front of your laptop or computer learning about the important information about the mountain.
If you’re only planning to stay when there’s still sunlight, you might not bother to carry some light sources with you. But we don’t know the exact things that could happen to you throughout the day where a situation might surface that requires you to camp for the night, thus include this on the scenarios that may occur on your trip and bring light sources with you.
In case of an unfortunate event and you were lost in the woods, never panic and don’t put your mind in disarray. It would be best to collect your thoughts and stay calm and warm. Ensure that you were visible from the sky once you called for help so that rescuers on a helicopter could see you quickly. If ever you needed an urgent help, never hesitate to call the authorities right away so that they could find you before it gets dark.
Majority of countries around the world has their own emergency hotline number that is similar to 9-1-1 of the United States where you can contact for help even without any signal on your phone because such can activate any cell tower. Before you leave your home to begin your adventure, make sure that your phone is fully charged and bring some spare batteries with you or good power banks as well. If you can avail a satellite phone, then have one to get help even in no-cell-service places.
Be prepared with avalanche safety equipment too. Avalanche can be the biggest threat of a serene snowy mountain, so it would be best to be equipped with the proper equipment such as a transceiver, probe, and shovel. You must also have good knowledge about those items to survive this kind of emergency situation. Learn how to navigate through the terrain to help you mitigate an avalanche exposure.
Irwin Consulting Services has been a part of different efforts in the United States in improving public safety, and because of its many years of endeavor in this field, the group had seen many cases proving that accidents were inevitable and sometimes unprecedented, so always be prepared in case of unwanted events and situations to protect yourself and other people.
-
-
hypothes.is hypothes.is
-
Irwin Consulting Services Review - How to deal with holiday decorations safely
It is already the month of December and to those individuals having a weak heart saying it is too late to put holiday decorations at their home, don’t be. Filling your home with pretty and lovely decorations would not take a very long time so gear up and begin beautifying your house right now. Knowing that you’ll apply your personal style and preferences in designing your house will give you an exciting feeling, but together with that sentiment, you need to be very careful in designing especially when it comes to electric materials.
Some don’t have to feel lonely walking at night in their neighborhood because a lot of houses were so bright and even sparkles the night with their decorative lights and other holiday-themed decorations. Irwin Consulting Services agrees that the holiday season can indeed spread love and joy all around the world.
However, the holiday season also calls for a cold weather, which is an unavoidable circumstance leading to every household use a lot of heat sources. You need to be careful in decorating your home since many heat sources are around. You will also have to deal with some electrical connections when putting your holiday decorations like the Christmas lights into place. Double check the extension cords or power strips along with all the wirings if each is safe to use and has no damage at all. Learn how much current is running through the cords and determine if those were the proper and right numbers. Keep the Christmas tree at least 3 feet away from heat sources such as space heaters and fireplaces.
Irwin Consulting Services would like you to choose properly on what kind of Christmas tree you’re going to put in your house. You can settle with a real or live tree or an artificial one, but most importantly, remember to avoid very dry trees because they are weak to fires. Before placing a live tree on its stand, make sure to cut 1-2 inches from the base of the trunk to ensure good water absorption when filling it with water.
Outdoor decorating should be done with proper caution. Each equipment and decoration you’re going to use must be labeled for outdoor use. Follow the careful guidelines provided especially on electrical products. The amperage rating of the extension cords should match the power needs of the electrical items (amperage). Your electric lights and decorations should be plugged into circuits protected by ground fault circuit interrupters or GFCIs. Maintain distance from power lines while doing outdoor decorating as well. Keep electrical outlets organized to prevent overloading. Do not plug a lot of electrical decorations or devices all at once. You must not let overheating to happen and start a fire.
Confirm if there’s also a proper insulation on electrical cords by checking if they were not pinched in windows, doors or under heavy objects. Be careful about installing the decorative lights as well to ensure that there would be no damage to its cord’s insulation. Unplug electrical decorations when replacing bulbs or fuses. In addition, turning off all indoor and outdoor electrical decorations must be practiced before going to bed or leaving the house.
Candles with a good scent can indeed illuminate the night of the holiday season, but these real candles must not be left unattended for a long period of time to avoid fire accidents. Keep them in a spot that is also safe from the reach of little children and was away from combustible objects. Put out its fire if ever you’re going to sleep or going outside your home for a long time.
Irwin Consulting Services promises to remain committed to helping companies, professionals, or individuals in maintaining public safety and would also like to encourage each household to do the same and be dedicated to their own safety this holiday season.
-
- Dec 2017
-
hypothes.is hypothes.is
-
Irwin Consulting Services Review - How to ensure household safety during the holiday season
Many of us are really looking forward to the holiday season because it is the time when people are diligent in filling their houses with holiday decorations, preparing gifts, searching online for more delicious recipes, and a lot more activities related to this season. It is indeed the time of the year for enjoyment, sharing, giving, and loving together with your family and friends.
However, despite all the positive things we’re expecting to this season, accidents could still happen. This season also includes the challenge of the cold weather. And because people would like to experience more warmth, others sometimes misuse heaters and electric blankets and cause accidents on warm fireplaces. Irwin Consulting Services, a consulting company that is committed to public safety, prepared some important thoughts below that could help you maintain the safety of your whole family during this holiday season.
It is necessary to exercise proper care and caution during this season to avoid kitchen fires, electrical fires, and fires caused by flammable objects placed too close to heat sources. You can prevent kitchen fires by being focused and careful while you’re cooking. Cooking requires constant attention so don’t let anything distract you while preparing food for your family to avoid any accidents. Keep everything in order and don’t cook a lot of dishes at the same time since it could lead to disarray. Never bring outdoor grills inside your home because it could be very dangerous.
Live Christmas trees were often the choice for many households because it provides a fresh feeling and of course an enchanting appearance, but this can be the largest fire hazard in a home. Keep it watered every day and ensure that it can absorb water up to its trunk. Decorative lights on the tree must be labeled for indoor use and were approved for its safe use through a UL listing. As said earlier, fire accidents can be a possibility with this kind of tree, so make sure to install it in a spot away from fireplaces and space heaters. Make a clear path leading to exit doors as well. Do not put live candles on live trees to prevent ignition of a fire. Irwin Consulting Services would also like you to make it a habit to turn off and unplug the decorative lights whenever your family goes outside or is going to bed.
Children should not also play with decorative candles, so as much as possible put those in places that are out of reach of your small kids. Organizing decorative lights should be done with a careful process to ensure a proper electrical wiring. Instead of nails, hang decorative lights using plastic clips to prevent accidents of nails penetrating through the wirings and result in shorts. Check the conditions of each string of wire and confirm if all are safe to use to avoid overloads and faulty wirings. You must not plug one extension cord to another extension cord because this can lead to voltage drop and overheat, so be extra careful in using such cords. Both indoor and outdoor lightings are much safer if connected through power strips. Other important things to remember include making sure that the smoke alarms in your house were in good condition and working properly, and that the fire extinguishers were in easy to reach places. It is also advised to buy weather alert radios so consider it as well.
Don’t forget to put a grate or screen in front of the fireplace and see to it that the chimney flue was properly cleaned. Avoid putting stockings and other holiday decorations close to a lit fireplace. The Christmas tree and the pile of gifts should be gathered in one safe place that is away from the fireplace.
Make creating a good escape plan a priority as well and once you’re done with it, discuss it with your family and if you will be having a lot of visitors this holiday season, brief it to them. The path leading to your doors should not be compiled with huge furniture and decorations to avoid hindrance and blockage in case of emergencies. To guarantee a safe use of heat in your house, ensure that your gas lines were checked by professionals. Fire extinguishers should be available in your home and must be charged. Smoke alarms and carbon monoxide detectors were also a necessity to assure the safety of the entire family. Choose space heaters with tip-over switches and put them in a safe spot with no flammable materials near to it. You must not bring outdoor heaters inside for indoor heating; materials meant for outside use should remain there.
Irwin Consulting Services wanted you to spend the holiday season with your friends and loved ones with a big smile on your face and peace in your heart. Enjoy this season with no worries in keeping your whole family safe by making proper preparations and following the instructions of professionals and the local authorities.
-
- Oct 2017
-
www.cyberciti.biz www.cyberciti.biz
-
;
This
semicolon
character is key for the whole thing to work.
-
-
rawgit.com rawgit.com
-
this paper
If you see this highlight, you are reading v0.1 of the draft. The paper still contains unresolved references to sources and secondary literature, cross-references to tables and figures, and CriticMarkup (e.g. strings wrapped in {-- --} or {++ ++}).
-
hypothes.is click here
If you landed on this page following a link I have sent through email, messages etc. and if you see this highlight and right-hand panel, do not follow this link!
-
- Sep 2017
-
eds.a.ebscohost.com eds.a.ebscohost.com
Tags
Annotators
URL
-
- Jul 2017
-
wiki.c2.com wiki.c2.com
-
Other Java Tutorials and Learning Sites
-
-
newliteracies.uconn.edu newliteracies.uconn.edu
-
Teach Source EvaluationSkillsIf you want to teach source evaluation skills, have small groups conduct research to answer a three-part problem such as this:1.How high is Mt. Fuji in feet?2.Find a different answer to this same question.3.Which answer do you trust and why do you trust it?As you observe students begin work on the third part of the problem, you likely will see a student begin to use the strategy that you have tar-geted: locating and evaluating the source of the information. When you see someone use this strategy, perhaps by clicking on a link to “About Us,” interrupt the other groups and have this student teach the strategy to the class, explaining how he or she evaluates a source for expertise and reliability. There are many inconsistent facts online that can also be used, just like this, to teach source evaluation including: “How long is the Mis-sissippi River?” or “What is the population of San Francisco?”
-
- May 2017
-
learn.wsu.edu learn.wsu.edu
-
Is this forum closed for posting? How are students supposed to insert voice thread intros into this forum? I have been playing with Embed Audio, Embed Flash and nothing seems to work.
-
- Apr 2017
-
nationalera.wordpress.com nationalera.wordpress.com
-
sift ye as wheat
When you sift wheat you shake it hard to separate the kernels, so this is saying that the devil was trying to shake her emotions to separate her from Jesus.
-
- Feb 2017
-
www.nytimes.com www.nytimes.com
-
To engage with the lives of others, white audiences would have to encounter something far more frightening: their irrelevance. They would have to reckon with the fact that the work will not always speak to them, orient them, flatter them with tales of their munificence or infamy, or comfort them with stereotypes.
In order to stop the erasure of the other, white people would have to take themselves out of the spotlight and realize not everything is for them. they would also have to encounter black suffering or something similar amongst themselves.
-
- Dec 2016
-
codkashacabka.files.wordpress.com codkashacabka.files.wordpress.com
-
a moment when we can go a little farther and say something, and there is a moment in which we should listen more to the people.
How nicely he connects the classroom and political gathering. This is how you are both a learning organizer and a community organizer.
-
- Aug 2016
-
github.com github.com
-
TWITTER_PAT=/Users/mwk/twitter_tokens
on my machine, I had to set the twitter path in the R console; couldn't quite suss how this text document worked. So, what I used:
Sys.setenv(TWITTER_PAT="/Users/shawngraham/twitter_tokens")
which probably isn't a good place to keep the tokens, but that's where they went when I did the normalize thing above.
-
- Jul 2016
-
www.futurelearn.com www.futurelearn.com
-
learning
Annotation
-
- Aug 2015
-
edu305.networkedlearningcollaborative.com edu305.networkedlearningcollaborative.com