- Nov 2024
-
-
Most people in America today (85–90%) agree on most issues and topics (85–90%). The so-called polarization is the result of a media landscape that amplifies the voices of the 10–15% that keep constantly talking about the 10–15% of topics on which people are not on the same page.
for - stats - most people in America agree on 85 - 90% of issues - unpack why and how the 10 - 15% is made so divisive
-
Status quoism: more of the same, capitalism & democracy as we know it
for - to - example of Status Quoism - Why Harris lost to Trump - from Youtube - So Trump won? What's next? - Roger Hallam
to - Why Harris lost to Trump - from Youtube - So Trump won? What's next? - Roger Hallam - https://hyp.is/aRrY5KsEEe-yezeexHETqg/www.youtube.com/watch?v=AiKWCHAcS7E
-
-
www.youtube.com www.youtube.com
-
DNA simply does not replicate like a crystal you have to have a living organism to enable it to do so
for - quote - DNA simply does not replicate like a crystal. You have to have a living organism to enable it to do so. - Denis Noble
-
- Oct 2024
-
www.youtube.com www.youtube.com
-
50:32 Currency is the governments I.O.U. 52:04 When the government gets its tax, it no longer has the debt so it burns the currency which was an I.O.U.
-
40:40 UMKC created its own currency - the Buckaroo 40:42 Students had to pay buckaroos to get their grades
-
34:59 A government does not need money. It needs citizens to need money so that they can pay taxes
Governments FORCE PEOPLE TO NEED MONEY
-
32:59 Joan Robinson, we study economics so as not to be fooled by economists
Tags
- The dollar bill is a debt of the federal reserve
- UMKC created its own currency - the Buckaroo
- Students had to pay buckaroos to get their grades
- The US Dollar is a US Tax Credit
- Federal Reserves are on the Liability side of its balance sheet
- A government does not need money. It needs citizens to need money so that they can pay taxes
- The norm for a currency issuer is to be in DEFICIT so that people can SAVE the currency
- Taxation creates Currency
- When tax is paid
- Currency is the governments I.O.U.
- it no longer has teh debt
- Joan Robinson, we study economics so as not to be fooled by economists
- The currency itself is the governments debt
- When the government gets its tax, it no longer has the debt so it burns the currency which was an I.O.U.
- Governments FORCE PEOPLE TO NEED MONEY
Annotators
URL
-
- Sep 2024
-
4thgenerationcivilization.substack.com 4thgenerationcivilization.substack.com
-
This industrial religion, evolving from monastic systems to modern enterprises, highlights the continuity between religious structures and capitalist production
for - quote - roots of industrial capitalism - found in medieval monasticism - Michel Bauwens on Pierre Musso - question - what was the impact of monasticism on modern capitalism? How did it become so pathological,?
-
-
www.youtube.com www.youtube.com
-
when a open AI developed a gp4 and they wanted to test what this new AI can do they gave it the task of solving capture puzzles it's these puzzles you encounter online when you try to access a website and the website needs to decide whether you're a human or a robot now uh gp4 could not solve the capture but it accessed a website task rabbit where you can hire people online to do things for you and it wanted to hire a human worker to solve the capture puzzle
for - AI - progress trap - example - no morality - Open AI - GPT4 - could not solve captcha - so hired human at Task Rabbit to solve - Yuval Noah Harari story
-
-
github.com github.com
-
Unfortunately, $ method_name -s doesn't work in Pry, but I hope that some day it will get fixed. Just a ref to issue: pry/pry#1756
-
- Aug 2024
-
www.youtube.com www.youtube.com
-
if we lose the Green and Ice Sheet, or the AMOC, it would be a complete disaster. So, you cannot measure it economically, it's an infinite parameter. So then, if the probability, even if the probability is low, if you multiply a low probability with an infinite impact, then risks are also infinitely high.
for - planetary emergency - risk analysis
planetary emergency - risk analysis - risk = probability x impact - If impact is high, then even low probability x high impact means high risk - If AMOC or Greenland icesheet melts, the impact is so high that it is not even economically measurable
-
-
www.theguardian.com www.theguardian.com
- Jul 2024
-
-
I don't think humans are going extinct anytime soon um but I do think 00:36:25 the global Industrial you know networked societies might be a lot more fragile
for - Climate change impacts - human extinction - don't think so - paleontological evidence shows that humans are a resilient species
Climate change impacts - human extinction - don't think so - paleontological evidence shows that humans are a resilient species - ice ages are really extreme events that humans have survived - Before entering the holocene interglacial period we have been in for the past 10,000 years, the exit from the previous Ice Age took approximately 10,000 years and - there was 400 feet of sea level rise - North America was covered with an Antarctica's equivalence of ice thickness - there was a quarter less vegetation a on the planet - it was dusty and miserable living conditions - There have been dozens of these natural climate oscillations over the past two and a half million years and humans are about 5 to 6 million years old, so have survived all of these - Sometimes in really particularly harsh climate swings,<br /> - speciations of new hominids will appear along with - new tools in the record or - evidence that there's been better control over fire - Humans are resilient and super adaptable - We've lived and adapted to the conditions on all the continents - We will make it through, but modern, industrialized, global society likely won't
-
- Mar 2024
-
www.russellbeattie.com www.russellbeattie.com
-
rather than separating out the various media types - css, images, icons, etc., the browsers just dump them all into a single folder
-
- Feb 2024
-
en.wikipedia.org en.wikipedia.org
-
The connection with ancestors is a central feature of the Constellation process.
Relationship of stars to stories and people to each other (ancestors).
As above, so below...
Reflection of the skys to the earth and to its peoples
-
- Jan 2024
-
mongoosejs.com mongoosejs.com
-
Instance methods Instances of Models are documents. Documents have many of their own built-in instance methods. We may also define our own custom document instance methods. // define a schema const animalSchema = new Schema({ name: String, type: String }, { // Assign a function to the "methods" object of our animalSchema through schema options. // By following this approach, there is no need to create a separate TS type to define the type of the instance functions. methods: { findSimilarTypes(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); } } }); // Or, assign a function to the "methods" object of our animalSchema animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); }; Now all of our animal instances have a findSimilarTypes method available to them. const Animal = mongoose.model('Animal', animalSchema); const dog = new Animal({ type: 'dog' }); dog.findSimilarTypes((err, dogs) => { console.log(dogs); // woof }); Overwriting a default mongoose document method may lead to unpredictable results. See this for more details. The example above uses the Schema.methods object directly to save an instance method. You can also use the Schema.method() helper as described here. Do not declare methods using ES6 arrow functions (=>). Arrow functions explicitly prevent binding this, so your method will not have access to the document and the above examples will not work.
Certainly! Let's break down the provided code snippets:
1. What is it and why is it used?
In Mongoose, a schema is a blueprint for defining the structure of documents within a collection. When you define a schema, you can also attach methods to it. These methods become instance methods, meaning they are available on the individual documents (instances) created from that schema.
Instance methods are useful for encapsulating functionality related to a specific document or model instance. They allow you to define custom behavior that can be executed on a specific document. In the given example, the
findSimilarTypes
method is added to instances of theAnimal
model, making it easy to find other animals of the same type.2. Syntax:
Using
methods
object directly in the schema options:javascript const animalSchema = new Schema( { name: String, type: String }, { methods: { findSimilarTypes(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); } } } );
Using
methods
object directly in the schema:javascript animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); };
Using
Schema.method()
helper:javascript animalSchema.method('findSimilarTypes', function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); });
3. Explanation in Simple Words with Examples:
Why it's Used:
Imagine you have a collection of animals in your database, and you want to find other animals of the same type. Instead of writing the same logic repeatedly, you can define a method that can be called on each animal instance to find similar types. This helps in keeping your code DRY (Don't Repeat Yourself) and makes it easier to maintain.
Example:
```javascript const mongoose = require('mongoose'); const { Schema } = mongoose;
// Define a schema with a custom instance method const animalSchema = new Schema({ name: String, type: String });
// Add a custom instance method to find similar types animalSchema.methods.findSimilarTypes = function(cb) { return mongoose.model('Animal').find({ type: this.type }, cb); };
// Create the Animal model using the schema const Animal = mongoose.model('Animal', animalSchema);
// Create an instance of Animal const dog = new Animal({ type: 'dog', name: 'Buddy' });
// Use the custom method to find similar types dog.findSimilarTypes((err, similarAnimals) => { console.log(similarAnimals); }); ```
In this example,
findSimilarTypes
is a custom instance method added to theAnimal
schema. When you create an instance of theAnimal
model (e.g., a dog), you can then callfindSimilarTypes
on that instance to find other animals with the same type. The method uses thethis.type
property, which refers to the type of the current animal instance. This allows you to easily reuse the logic for finding similar types across different instances of theAnimal
model.
Tags
Annotators
URL
-
- Dec 2023
-
-
how do we organize a green de Democratic Revolutio
-
for: question - how do we organise a green democratic revolution when power is so entrenched?
-
question
- how do we organise a green democratic revolution when power is so entrenched?
-
-
- Jun 2023
-
stackoverflow.com stackoverflow.com
-
I just wanted to tweak Java's BufferedReader to handle custom line delimiters. Thanks to private fields I have to clone the entire class rather than simply extending it and overriding readLine().
-
If it's dangerous, note it in the class/method Javadocs, don't just blindly slam the door shut.
Tags
- allow others take the responsibility/risk if they want; don't just rigidly shut the door to even the possibility
- inextensible
- don't be so rigid
- dangerous (programming)
- member visibility: make it public/protected by default so others can override/extend as needed
- not extensible enough
- rigidness/inflexibility
- good point
- extensibility
- +0.9
Annotators
URL
-
- Feb 2023
-
therevelator.org therevelator.org
-
70% of cobalt comes from the Democratic Republic of Congo, where an estimated 40,000 children as young as 6 work in dangerous mines.
- = energy transition
- = quotable
-
Tribes, landowners and communities find themselves wrestling with the not-so-green side of green energy.
- = energy transition
- = quotable
-
- Dec 2022
-
www.complexityexplorer.org www.complexityexplorer.org
-
-
Let’s say the recipient is considering unsubscribing. He or she may be too busy to search through the email to find the unsubscribe link, so he or she just clicks “Report as SPAM” to stop the emails from coming. This is the last thing any marketer wants to see happen. It negatively impacts sender reputation, requiring extra work to improve email deliverability. With the list-unsubscribe header, you will avoid getting into this kind of trouble in the first place.
-
- Nov 2022
-
www.programmableweb.com www.programmableweb.com
Tags
Annotators
URL
-
-
api.stackexchange.com api.stackexchange.com
Tags
Annotators
URL
-
-
blog.phusion.nl blog.phusion.nl
-
The problems that we solved are applicable to a lot of people. Most people are not even aware of these problems, so things can break in unexpected ways (Murphy's law). It's inefficient if everybody has to solve these problems over and over.
-
- Oct 2022
-
conteudo.companyhero.com conteudo.companyhero.com
-
Importante fornecer um e-mail válido para a solicitação da nota fiscal.
Tags
- Incluir:
- O valor mínimo para comissionamento é de R$100,00. Abaixo disso, ficará em "stand-by" acumulando para pagamento. CNAEs: para emissão da nota fiscal, podem ser utilizados quaisquer CNAEs, exceto consultoria. Os pagamentos ocorrem sempre às segundas. Geramos um lote por semana, portanto, as NFs serão pagas na primeira segunda-feira após o recebimento pelo financeiro. As solicitações de nota podem ocorrer até a terceira semana de cada mês. É muito importante que os CADs mantenham seus cadastros atualizados. E-mail, telefone, etc. Os pagamentos ocorrem no mês subsequente à ativação. Ex: ativação em outubro, receberá em novembro. Só é comissionada a primeira ativação do cliente. Quando um cliente contrata mensal, o pagamento do CAD não se torna recorrente, é apenas na primeira parcela. Não serão comissionadas primeiras ativações que forem advindas de Google ADS.
Annotators
URL
-
- Sep 2022
-
moodle.concordia.ca moodle.concordia.ca
-
Crippled
IS IT BECAUSE IT CHANGES WHERE WE PUT EMPHASIS
So... line breaks change the emphasis and myster of poetry of each line (ie state of heightened anxiety) but also how we literally pronounce them out loud (what pitch we use)
-
- Aug 2022
-
www.nytimes.com www.nytimes.com
-
Colleges today often operate as machines for putting ever-proliferating opportunities before already privileged people. Our educational system focuses obsessively on helping students take the next step. But it does not give them adequate assistance in thinking about the substance of the lives toward which they are advancing. Many institutions today have forgotten that liberal education itself was meant to teach the art of choosing, to train the young to use reason to decide which endeavors merit the investment of their lives.
👍 and well put.
-
- Jul 2022
-
docdrop.org docdrop.org
-
It’s very rare that a book gets outthere into the world that has nothing relevant to say toanybody, but your interests may be specific enough thatit may have nothing in it you need to know.
Similar to Pliny's aphorism "There is no book so bad it does not contain something good.”
-
-
-
Citing Pliny’s “no book so bad,” Gesner made a point of accumulating information about all the texts he could learn about, barbarian and Christian, in manuscript and in print, extant and not, without separating the good from the bad: “We only wanted to list them, and we have left to others free selection and judgment.”202
-
- Apr 2022
-
sde.ok.gov sde.ok.gov
-
assistive technology
We should place the definition of Assistive Technology here: Assistive Technology is technology used by individuals with disabilities in order to perform functions that might otherwise be difficult or impossible.
-
- Mar 2022
-
-
Lakota Elder Arvol Looking Horse explains that ‘Star knowledge islike a mirror. The stars are up there, and we have the stars down
here.’ This philosophical standpoint is understood in the Lakota/Dakota language with one word: Kapemni—‘As is above, so is below: What is in the stars is on Earth; and what is on Earth is in the stars.’
The Lakota/Dakota language word Kapemni captures the idea that what is in the stars mirrors what is on Earth.
Tags
Annotators
-
-
theswo.sourceforge.net theswo.sourceforge.net
-
- Jan 2022
-
eductive.ca eductive.ca
-
les lettres que je reçois des Services adaptés en rendent plusieurs visibles
Most of us have received those letters, indicating that some learners will require special accommodations. And students learn to fit the description. Reminds me of those learners in my classes who expressed surprise at obtaining a high grade on an assignment.
For instance, a musician in my ethnomusicology course, back in 2006, came to me with something of a complaint:
You gave me an A on this assignment!
Right. What's the problem?
I have a learning disability!
Erm... Not in my course, you don't! ;-)
Students like this musician had done exactly the work required to fulfill the requirements... which didn't match expected requirements (which are overwhelmingly scriptocentric).
Conversely, some learners assume they'll always get good grades ("I'm an A student!"), typically because their writing style matches academic expectations.
Surely, there's research on this labelling effect. Now, I'm not saying that it's the only effect coming from these letters (or from "dean's lists"). Accommodations can be particularly important in courses where there's a pressure to perform in a certain way. And it sounds like grade-based rewards are important in several social systems. I'm merely thinking of links between Howie Becker's best-known book and his unsung work.
-
invisibles
Making inequalities visible becomes an important task, when we analyze a situation. Even with "visible minority" status, there's work to be done to assess our... visual bias. For instance, learners from indigenous communities may not "look the part". In Canada, this is actually a legal matter as a learner in one of my "intro to anthro" classes described it. (Let's call him "Harry".) Despite coming from a First Nation, Harry didn't have status. His sister did because her appearance fit the description. In fact, Harry's First Nation friend gave us a glimpse of this, live, in the classroom. Harry's friend didn't realize that Harry was First Nation until we started discussing this.
-
-
thecodebarbarian.com thecodebarbarian.com
-
The power of await is that it lets you write asynchronous code using synchronous language constructs.
-
- Nov 2021
-
www.google.com www.google.com
-
If you would like to use Google's cloud to store and sync your Chrome data but you don't want Google to access the data, you can encrypt your synced Chrome data with your own sync passphrase.
-
- Sep 2021
-
blog.sindresorhus.com blog.sindresorhus.com
-
The main reason I love Node.js is that I don’t have to deal with the awfulness that is JS front-end tooling.
-
-
-
Webpacker used to configure Webpack indirectly, which lead to a complicated secondary configuration process. This was done in order to provide default configurations for the most popular frameworks, but ended up creating more complexity than it cured. So now Webpacker delegates all configuration directly to Webpack's default configuration setup.
more trouble than it's worth
- creating more complexity than it cured
Tags
- newer/better ways of doing things
- too hard/complicated/non-trivial
- more trouble than it's worth
- doing more harm than good
- modern javascript development is complicated
- Why can't this be easier/simpler? Why does it have to be so hard/complicated?
- complicated
- too complicated
- removing feature that is more trouble than it's worth (not worth the effort to continue to maintain / fix bugs caused by keeping it)
- changed their mind/opinion
Annotators
URL
-
-
forums.linuxmint.com forums.linuxmint.com
-
It seems to me (N.b. what do I know about this? Nothing!) that the best solution would be to tweak the 'Change Password' process so that it also updates the 'Passwords and Keys'>Passwords>Login folder's properties.
"I'm not an expert, but it seems to me..."
-
- Aug 2021
-
4cd.instructure.com 4cd.instructure.com
-
Our due dates will be Thursdays and Sundays at midnight
-
focuses on developing college-level literacy skills. More simply, this course will prepare you for the reading, writing, and critical thinking required of you as a university student.
-
-
www.ruby-lang.org www.ruby-lang.org
-
The automatic conversion not only confuses people but also makes the method less extensible. See [Feature #14183] for more details about the reasons for the change in behavior, and why certain implementation choices were made.
-
- Jun 2021
-
hypothes.is hypothes.is
-
"I am also concerned that despite the best of intentions many of us have not considered adequately what social justice means and entails. I worry that social justice may become simply a “topic du jour” in music education, a phrase easily cited and repeated without careful examination of the assumptions and actions it implicates. That can lead to serious misunderstandings."
-
- May 2021
-
documentation.mjml.io documentation.mjml.io
-
MJML has been designed with responsiveness in mind. The abstraction it offers guarantee you to always be up-to-date with the industry practices and responsive. Email clients update their specs and requirements regularly, but we geek about that stuff - we’ll stay on top of it so you can spend less time reading up on latest email client updates and more time designing beautiful email.
-
- Mar 2021
-
store.steampowered.com store.steampowered.com
-
dont belive the tags, it doesn't have any steam trading cards. waste of money and time.
-
-
news.ycombinator.com news.ycombinator.com
-
I suspect you aren't seeing much discussion because those who have a reasonable process in place, and do not consider this situation to be as bad as everyone would have you believe, tend not to comment on it as much.
-
-
www.codetriage.com www.codetriage.com
-
Before a bug can be fixed, it has to be understood and reproduced. For every issue, a maintainer gets, they have to decipher what was supposed to happen and then spend minutes or hours piecing together their reproduction. Usually, they can’t get it right, so they have to ask for clarification. This back-and-forth process takes lots of energy and wastes everyone’s time. Instead, it’s better to provide an example app from the beginning. At the end of the day, would you rather maintainers spend their time making example apps or fixing issues?
-
-
jangawolof.org jangawolof.orgPhrases1
-
Wax na ko ko, aloor dina dem.
-
- Feb 2021
-
github.com github.com
-
Since we're not passing any inputs to ListAccounts, it makes sense to use .run! instead of .run. If it failed, that would mean we probably messed up writing the interaction.
-
-
github.com github.com
-
As a workaround, I guess I'll have to disable my strict CSP in development, but I'd prefer to keep it strict in development as well so that I ran into any CSP issues sooner...
-
-
trailblazer.to trailblazer.to
-
provide interfaces so you don’t have to think about them
Question to myself: Is not having to think about it actually a good goal to have? Is it at odds with making intentional/well-considered decisions?  Obviously there are still many of interesting decisions to make even when using a framework that provides conventions and standardization and makes some decisions for you...
-
-
-
I do think it's a common pattern that should be solved, and I am probably going to try and solve it as a Gem as opposed to simply writing code that we use in our code base
-
-
stackoverflow.com stackoverflow.com
-
I have checked the following close stackoverflow sources : Relation passed to #or must be structurally compatible. Incompatible values: [:references]
referencing similar questions so it won't be marked as duplicate
-
-
nplusonemag.com nplusonemag.com
-
cultural capital
Introduced by Pierre Bourdieu in the 1970s, the concept has been utilized across a wide spectrum of contemporary sociological research. Cultural capital refers to ‘knowledge’ or ‘skills’ in the broadest sense. Thus, on the production side, cultural capital consists of knowledge about comportment (e.g., what are considered to be the right kinds of professional dress and attitude) and knowledge associated with educational achievement (e.g., rhetorical ability). On the consumption side, cultural capital consists of capacities for discernment or ‘taste’, e.g., the ability to appreciate fine art or fine wine—here, in other words, cultural capital refers to ‘social status acquired through the ability to make cultural distinctions,’ to the ability to recognize and discriminate between the often-subtle categories and signifiers of a highly articulated cultural code. I'm quoting here from (and also heavily paraphrasing) Scott Lash, ‘Pierre Bourdieu: Cultural Economy and Social Change’, in this reader.
Tags
Annotators
URL
-
- Jan 2021
-
legislature.vermont.gov legislature.vermont.gov
-
§ 13-506. Petition for enactment of ordinance; special meeting (a) Subject to the provisions of section 505 of this charter, voters of the City may at any time petition in the same manner as in section 505 for the enactment of any proposed lawful ordinance by filing such petition, including the text of such ordinance, with the City Clerk. The Council shall call a special City meeting to be held within 45 days of the date of such filing, unless prior to such meeting such ordinance shall be enacted by the Council. The warning for such meeting shall include a short, concise one-paragraph description of the effects of the proposed ordinance and shall provide for an aye and nay vote as to its enactment. The warning shall also include reference to a place within the City where copies of the entire text of the proposed ordinance may be examined. Such ordinance shall take effect on the 10th day after the conclusion of such meeting provided that the electors as qualified in section 505, constituting a majority of those voting thereon, shall have voted in the affirmative. (b) Any such proposed ordinance shall be examined by the City Attorney before being submitted to the special City meeting. The City Attorney is authorized subject to the approval of the Council, to correct such ordinance so as to avoid repetitions, illegalities, and unconstitutional provisions and to insure accuracy in its text and references and clearness and preciseness in its phraseology, but he or she shall not materially change its meaning and effect. (c) The provisions of this section shall not apply to any appointments of officers, members of commissions, or boards made by the Council or to the appointment of designation or councilmen, or to rules governing the procedure of the Council.
So. Burlington
Initiatives
-
§ 13-505. Rescission of ordinances All ordinances shall be subject to rescission by a special City meeting, as follows: if, within 10 days after final passage by the Council of any such ordinance, a petition signed by electors of the City not less in number than 10 percent of the number of votes cast in the last municipal election is filed with the City Clerk requesting its reference to a special City meeting, the Council shall fix the time and place of such meeting, within 14 days after the filing of the petition, and notice thereof shall be given in the manner provided by law in the calling of a special City meeting. An ordinance so referred shall remain in effect upon the conclusion of such meeting unless electors not less in number than 10 percent of the number of votes cast in the last municipal election and constituting a majority of those voting thereon, shall have voted against the ordinance.
So. Burlington
Repeal referendums
-
- Nov 2020
-
www.reddit.com www.reddit.com
-
Svelte by itself is great, but doing a complete PWA (with service workers, etc) that runs and scales on multiple devices with high quality app-like UI controls quickly gets complex. Flutter just provides much better tooling for that out of the box IMO. You are not molding a website into an app, you are just building an app. If I was building a relatively simple web app that is only meant to run on the web, then I might still prefer Svelte in some cases.
-
-
github.com github.com
-
This seems to be #31189 . It should be fixed when you update to v17.03.0-ce
-
-
inst-fs-iad-prod.inscloudgate.net inst-fs-iad-prod.inscloudgate.net
-
To appreciate the social role of Broca and his school,we must recognize that his statements about the brainsof women do not reflect an isolated prejudice toward asingle disadvantaged group. They must be weighed inthe context of a general theory that supportedcontemporary social distinctions as biologicallyordained.
Here's the "So what? Who cares?"
-
- Oct 2020
-
-
Especially when rollup is configured with multiple outputs, I find this particular onwarn to be helpful in reducing warning clutter. It just displays each circular reference once and doesn't repeat the warning for each output:
-
I think my personal preference would be to see them all at once. Or maybe limit it to up to 10 messages and then list the count of how many more messages were not displayed. Pick your reaction
-
Another thing we could do to limit output would be to only every show the first circular dependency warning. I think we already do this for other types of warnings. Then you would need to tackle the warnings one-by-one, though.
-
-
final-form.org final-form.org
-
Wondering how to get field state from multiple fields at once? People coming from Redux-Form might be wondering where the equivalent of Redux Form's Fields component is, as a way to get state from several fields at once. The answer is that it's not included in the library because it's so easy to write one recursively composing Field components together.
-
-
-
I recommend folks use https://github.com/shama/bel instead of this package; we've been working hard on it for the past two years to make sure it has all the features you could want to write inline HTML. Hope it's good; closing for now!
-
-
dylanvann.com dylanvann.com
-
I’d still be interested in Svelte making things easier so I’ve opened a feature request for Reactive statement cleanup functions.
-
-
-
I started Solid years ago before I thought anyone would be interested in using it. I only started promoting it because it had already achieved the goals I had set out for it.
-
-
github.com github.com
-
This issue has been resolved in version 9.1.9
-
- Sep 2020
-
github.com github.com
-
See resolution in
-
-
-
Also Svelte is so great because developer do not need to worry about class names conflict, except of passing (global) classes to component (sic!).
-
-
-
You must: reference each element you are extending using refs or an id add code in your oncreate and ondestroy for each element you are extending, which could become quite a lot if you have a lot of elements needing extension (anchors, form inputs, etc.)
-
This is where hooks/behaviors are a good idea. They clean up your component code a lot. Also, it helps a ton since you don't get create/destroy events for elements that are inside {{#if}} and {{#each}}. That could become very burdensome to try and add/remove functionality with elements as they are added/removed within a component.
Tags
- difficult/hard
- too hard/difficult/much work to expect end-developers to write from scratch (need library to do it for them)
- could be easier / more difficult than it needs to be
- why this feature is needed
- framework taking care of responsibility so users can leverage it and not have to worry about that responsibility themselves
- scalability
Annotators
URL
-
-
-
But some sort of official way to do that in the language would make this nicer - and would mean I would have to worry less about destroying components when their parent is destroyed, which I'm certainly not being vigilant about in my code.
-
- Jul 2020
-
discuss.rubyonrails.org discuss.rubyonrails.org
-
And you see the problem, concerns are so simple that they do not deserve a full guide. Concerns are mixins, if you are a Ruby programmer, you already know what a mixin is and their use case to modularize APIs.
-
- Jun 2020
-
edgeguides.rubyonrails.org edgeguides.rubyonrails.org
-
If you've found a problem in Ruby on Rails which is not a security risk, do a search on GitHub under Issues in case it has already been reported. If you are unable to find any open GitHub issues addressing the problem you found, your next step will be to open a new one.
-
-
github.com github.com
-
It's funny that in such a complex gem like this, there's only one open issue, exactly about what I came here to post.
-
- Dec 2019
-
stackoverflow.com stackoverflow.com
-
You have to create duplicate of the stream by piping it to two streams. You can create a simple stream with a PassThrough stream, it simply passes the input to the output.
-
- Oct 2019
-
-
Each year the winner is crowned with great fanfare at Eastwood Shopping Centre, which is owned by Yuhu Group, the company founded by billionaire property developer and political donor Huang Xiangmo.
A suggestive paragraph that may have had currency at the time you put together the story - but really, pretty much irrelevant.
With all this unnecessary detail - it's no wonder you never got round to the teeny weeny task of counterbalancing the grand crusade of George Simon to put an end to to the event, with the fact that it failed. Spectacularly!
And if you had just a bit more time, you probably would have been able to also include there was another similar attempt prior to his, from one of his factional colleagues, that was also punted by council.
-
- Sep 2019
-
ecampusontario.pressbooks.pub ecampusontario.pressbooks.pub
-
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.
-
- Oct 2018
-
-
Many detection methods such as Faster-RCNN and YOLO, perform badly in small objects detec-tion. With some considerable improvements in the originalframework of YOLOv2, our proposed SO-YOLO can solvethis problem perfectly.
-
-
ieeexplore.ieee.org ieeexplore.ieee.org
-
As a convolutional neural network, SO-YOLO outperforms state-of-the-art detection methods both in accuracy and speed.
-
SO-YOLO performs well in detecting small objects compared with other methods.
Tags
Annotators
URL
-
- Sep 2018
-
commoncog.com commoncog.com
-
So Good They Can't Ignore You
So Good They Can't Ignore You, by Cal Newport
-
- Jun 2018
-
www.apmpodcasts.org www.apmpodcasts.org
Tags
Annotators
URL
-
- 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.
-
-
www.american.edu www.american.edu
-
younggirls,because those typesoffictionareoften theonlytypestoofferpositive,well-roundedfemale protagonists.When societyshamesyounggirlsfortheirinterests in these kindsofstories,girlsfindthemselvescutofffrompotentialrole models,fromrelatable stories,andfrom a widercommunityofgirlslike themselves.Representation matters,partic
Thesis / Response
-
- Dec 2017
-
hypothes.is hypothes.is
-
Irwin Consulting Services Review - So bleiben Sie sicher diese Ferienzeit
Viele lieben die Ferienzeit, weil es die Zeit ist, in der echtes Glück, Liebe und Freude an vielen Orten reichlich werden. Aber abgesehen davon, die Menschen auch vor der Herausforderung der kälteren Wetter und leider, Unfälle manchmal auftreten, die sich auf warm halten in den kalten Monaten verbunden ist. Andere missbrauchen Heizungen und elektrische Decken und beginnen sogar Vorfälle auf warmen Kaminen. Als Beratungsunternehmen, dass die öffentliche Sicherheit begangen wird, Irwin Consulting Services möchten Sie weiter lesen dieser Post und lernen Sie über wichtige Hinweise bei der Vermeidung von gefährlichen Situationen zu prüfen.
Leider könnte Ferienzeit einige traurige Nachrichten zu einigen wenigen Haushalten wegen der allgemeinen Unfälle während dieser Zeit des Jahres, die Küche Brände, elektrische Brände, und Brände von brennbaren Gegenständen, die zu nahe an Wärmequellen platziert wurden, zu bringen. Seien Sie achtsam jedes Mal, wenn Sie kochen, so vermeiden, abgelenkt. Setzen Sie einen korrekten Zeitplan auf dem Kochen der verschiedenen Teller; tun Sie nicht alle auf einmal. Outdoor-Grills sollte draußen bleiben, egal wie kalt es ist, wage es nicht, es in Ihrem Haus setzen.
Einige Familien bevorzugen, Weihnachtsbäume in ihren Häusern wegen seines schönen grünen Auftritts zu leben. Jedoch während der Feiertagjahreszeit, können solche Bäume die größte Brandgefahr in einem Haus werden. Darauf hingewiesen werden, dass es regelmäßig bewässert werden sollte und sicherzustellen, dass es Wasser absorbieren kann durch seinen Stamm. Wenn Sie Lichter auf dem Baum setzen, stellen Sie sicher, dass Sie für innen Gebrauch gekennzeichnet wurden und eine UL Auflistung haben. Setzen Sie die Bäume auf Flecken, die eine Entfernung von Kaminen und Raumheizungen waren, und auch nicht legen Sie auf dem Weg einer Ausfahrt Tür. Verwenden Sie niemals Live-Kerzen auf lebenden Bäumen. Vor dem schlafen gehen, schalten Sie alle seine Lichter auch auf künstlichen Bäumen sowie jedes Mal, wenn Ihre Familie geht nach draußen.
Stellen Sie sicher, dass ihre kleineren Kinder keinen Zugang zu dekorativen Kerzen zu. Korrekte elektrische Verdrahtung auf dekorative Weihnachtslichter können Ihnen auch helfen, jede mögliche ernste Situationen zu vermeiden. Hang Lichter mit dem Einsatz von Kunststoff-Clips, da Fälle von Nägeln eindringen Verkabelung und verursachen Shorts waren manchmal die Situation in anderen Haushalten. Wissen, dass Überladungen und fehlerhafte Verkabelung zu Tragödien führen könnte, so beurteilen jede Schnur von Drähten sorgfältig und stellen Sie sicher, dass Sie alle sicher vor jeder Gefahr. Seien Sie vorsichtig mit einigen Verlängerungskabeln bei der Verbindung dieser Lichter. Schließen Sie niemals ein Verlängerungskabel an ein anderes Verlängerungskabel an, da dies zu Spannungsabfall und Überhitzung führen kann. Zum besseren Schutz verwenden Sie stattdessen Power Strips, die sowohl für innen-als auch für Außenanschlüsse verwendet werden können. Ziehen Sie die Innenbeleuchtung aus der Steckdose, wenn Sie nicht verwendet wird. Andere wichtige Dinge zu erinnern gehören die Sicherstellung, dass Rauchmelder in Ihrem Haus ordnungsgemäß arbeiten, Putting Feuerlöscher auf leicht zugängliche Bereiche, Investitionen in Wetteralarm-Radios, und vorsichtig mit dem Einsatz von elektrischen Raumheizungen.
Vor der Verwendung des Schornsteins während der Ferienzeit, gründlich reinigen Sie es zuerst. Irwin Consulting Services schlägt auch vor, mit einem Rost oder Bildschirm vor dem Kamin. Setzen Sie Strümpfe und andere Feiertag Dekorationen Weg von einem beleuchteten Kamin. Organisieren Sie die Geschenke an einem sicheren Ort, nicht auf der Vorderseite des Kamins und installieren Sie nicht einen Weihnachtsbaum in der Nähe, um es zu vermeiden Putting den Baum oder Geschenke in Gefahr des Feuers.
Erstellen Sie eine richtige Feuer Fluchtplan und auch sagen, Ihre Besucher darüber. Setzen Sie nie etwas, das es schwierig machen würde, die Türen zu erreichen, also vermeiden Sie, Möbel oder Dekorationen auf seinen Weg zu setzen. Stellen Sie sicher, dass Ihre Gasleitungen ordnungsgemäß überprüft wurden, um eine sichere Verwendung von Wärme in Ihrem Haus zu gewährleisten. Laden Sie Ihre Feuerlöscher zu und wenn Sie keine haben, Irwin Consulting Services ermutigt Sie, ein oder zwei zu kaufen. Investieren Sie auch in Rauchmelder und Kohlenmonoxid-Detektoren. Es ist vorzuziehen, zu Hause Raumheizungen mit Kippschalter haben, aber denken Sie daran, Sie weg von entzündlichen Dinge. Heizungsgeräte für Outdoor-Zwecke sollte außerhalb bleiben, so dass Sie nie in innen für die innen-Wärme.
Irwin Consulting Services hofft auf eine sichere und lohnenswerte Urlaubszeit für Sie und Ihre Familie.
-
- May 2017
-
theredpen.space theredpen.space
-
Donec felis eros
PUBLIC TEST front-facing
-
- Aug 2016
-
rbms.info rbms.info
-
VISITS
I'm not sure exactly where this would fit in, but some way to reporting total service hours (per week or other time period) would be useful, esp as we start gauging traffic, volume, usage against number of service hours. In our reporting for the Univ of California, we have to report on services hours for all public service points.
Likewise, it may be helpful to have a standard way to report staffing levels re: coverage of public service points? or in department? or who work on public services?
-
- Oct 2015
-
-
It turns out
Cue Merlin Mann voice.
-