a la altura deThe Oliver Ranch
Dónde es esto? Coordenadas? No encuentro nada en Google.
a la altura deThe Oliver Ranch
Dónde es esto? Coordenadas? No encuentro nada en Google.
y sus caños que vierten al arroyo
¿Qué quiere decir que los caños de la sala de bombeo "vierten al arroyo"? Entiendo que esta sala de bombeo impulsa las aguas negras hacia la planta de tratamiento. Entiendo que el derrame de 2017 se debió a un rebalse de la cisterna, producto de la insuficiencia de la bomba, y no porque ésta vierta naturalmente hacia el arroyo.
La misión del municipio turístico sustentable es integral, siendo funciones del mismo desde planificar la ocupación de su suelo, tratar los residuos, comprometerse con el uso respetuoso del
Entiendo que la "misión del municipio turístico sustentable" sería un concepto general, y no necesariamente un compromiso adoptado por la localidad de Villa General Belgrano. Creo que no se entiende perfectamente.
how many composers want to allow their compositions to be completely re-written by strangers.)
This would just be like Wikisource, I assume.
third-party notation software
We may develop a MediaWiki extension
a lyrics page in the form of title=Song_(lyrics) and a music page (notes, guitar tabs, etc) in the form of Song_(music).
These two could very well be hosted in WikiSource and Commons, respectively.
throw exceptions when these expressions are attempted.
According to this, this option disables filtering!
300 or more contributions to a Wikimedia project
Can it be to more than one project?
I wondered if suspended users were talking about topics that differed than the rest of the population.
To remember, as he said before, that this does not necessarily mean that these tweets were the one that caused account suspension.
si una edición intercambia dos párrafos (con o sin modificaciones en los párrafos), el visual diff identificará que esto es lo que ocurrió, mientras que un diff de wikitexto hace parecer que se eliminó un párrafo y se agregó un párrafo completamente nuevo.
O sea que no sólo es una versión visual del diff, sino un diff más avanzado? O acaso es imposible representar este cambio en el diff textual (aunque sea identificado)?
E301
entity schema
I've started adding different versions of the Social Security Act 2018 as sub-pages, i.e. Version 56, and Social Security Act 2018/Version 59
These subpages have been deleted and uploaded as separate pages.
Wikisource works usually start with a scanned version, either in DjVu or PDF format.
About digitally-born documents: https://en.wikisource.org/wiki/Wikisource:Scriptorium/Archives/2016-11#Digital_documents
'p-cactions', '#', 'Wikify', 'ca-wikify', 'Mark for wikification'
portletId, href, text[, id, tooltip, accesskey, nextnode]
Multiple configs shared in a cluster
Apparently, this is to make this data available from other wikis, not to let these other wikis create data by themselves. See my question here: https://www.mediawiki.org/wiki/Topic:Wthdmemt2rhkfxpo
built-in module ID JsonConfig will be used.
I'm getting a The content model 'JsonConfig' is not registered on this wiki.
if I set model
to null
.
namespace
It also creates the namespace (I assume if it doesn't exist). These are the namespaces "reserved" by the JsonConfig extension: https://www.mediawiki.org/wiki/Extension_default_namespaces#JsonConfig
it has the same usage as the class.
but presumably it wouldn't have static (class) methods
readinessProbe
when a container is ready to start accepting traffic
ley orgánica municipal n° 8102
Ley provincial de la provincia de Córdoba: https://www.argentina.gob.ar/normativa/provincial/ley-8102-123456789-0abc-defg-201-8000ovorpyel
Some countries have changed their laws to affirm that researchers on non-commercial projects don’t need a copyright-holder’s permission to mine whatever they can legally access.
right to mine
make it clear what tasks they will be responsible for, give an estimate of how much time they will need to complete those tasks and any deadlines or dates where they will need to be in a particular place.
one can do this with phabricator
Countries like India or Asia
Asia is not a country
const wrap = fn => (...args) => fn(...args).catch(args[2])
In Typescript:
// A wrapper function.
// It takes fn as parameter, with fn an async version of a RequestHandler:
// it takes the same parameters (...args: Parameters<RequestHandler>),
// but returns a promise (Promise<ReturnType<RequestHandler>>).
// It returns a wrapped function (wrappedFn)
// that takes the same parameters as a RequestHandler (req, res. next)//
// and returns a promise (Promise<ReturnType<RequestHandler>>)
// with its reject value sent to the "next" function
// see https://expressjs.com/en/advanced/best-practice-performance.html#use-promises
function wrap(
fn: (...args: Parameters<RequestHandler>) => Promise<ReturnType<RequestHandler>>
) {
const wrappedFn = function(
...args: Parameters<RequestHandler>
): Promise<ReturnType<RequestHandler>> {
const [req, res, next] = args;
return fn(req, res, next).catch(next);
}
return wrappedFn;
}
.catch(next)
Passing errors returned from asynchronous functions to the next()
function of the application’s request-response cycle: https://expressjs.com/en/guide/error-handling.html#catching-errors
restart
kills the pod and creates a new one
Start the web service
This creates a new pod, and a new container inside it named webservice
will restart them.
Is this because the restartPolicy
option?
Continuous jobs are programs that are never meant to end.
I guess this is what webservice
uses
shell
shell
creates a separate pod
you don’t know beforehand the exact types and dependencies of the objects your code should work with.
in the example, the objects are the buttons
'babel-jest',
But: "Because TypeScript support in Babel is purely transpilation, Jest will not type-check your tests as they are run.
before each test require('fs').__setMockFiles(MOCK_FILE_INFO);
Why does it have to be before each test?
automock is set to true
means that all modules are always mocked
create a manual mock that extends the automatic mock's behavior.
So, in the manual mock, we use createMockFromModule
to create an automatic mock, and then extend it before exporting it.
.mockReturnValue('default') .mockImplementation(scalar => 42 + scalar)
What will be returned in this case? 'default'? or 42+scalar?
(err, val) => console.log(val)
this is the function that is passed as cb
argument. myMockFn
returns the call to this function with null
and true
arguments: return cb(null, true)
myMockFn
It gets a function as argument and returns a call to that function with arguments null
and true
x => 42 + x
an implementation. otherwise, it returns undefined
cb => cb(null, true)
an implementation
If no implementation is given, the mock function will return undefined when invoked.
All mock functions have this special .mock property, which is where data about how the function has been called and what the function returned is kept.
These are all properties and methods of mock functions: https://jestjs.io/docs/mock-function-api
axios.get
It is a mock function now, just like those created with jest.fn()
.
ES6 classes are constructor functions with some syntactic sugar. Therefore, any mock for an ES6 class must be a function or an actual ES6 class (which is, again, another function).
Constructor functions are those meant to be called with the new
operator. They set a this
object at the beginning, run through the function's code, and return this
at the end: https://javascript.info/constructor-new
This is how classes worked in ES5: https://www.freecodecamp.org/news/learn-es6-the-dope-way-part-v-classes-browser-compatibility-transpiling-es6-code-47f62267661/
spy on calls to the class constructor and all of its methods
In terms of this article, this would be a mock (as opposed to as stub), useful for emulating and examining outgoing interactions: https://enterprisecraftsmanship.com/posts/when-to-mock/
Try creating a simple test implementation of the interface instead of mocking it in each test, and use this test class in all your tests.
Manual mocks in Jest?
Common questions#
It may be worth highlighting that if "module" = "commonjs"
in tsconfig.json
, imports such as import { something } from "module"
will be transpiled to const module_1 = require("module")
. As a result, something
will not be available in the debug console, but module_1.something
instead.
One may change tsconfig.json
to include "module" = "es6"
and "moduleResolution" = "node"
, and package.json
to include "type" = "module"
, but in this case imports must include the file extension.
reducing redundancy and typos
If I want to specify GET, POST, PUT, etc for a path, this way I have to write the path just once
an optional options object,
Some properties are missing in the docs:
* allowAnyNamespaceForNoPrefix
* isHtml
Additional locales can be added either by adding them in a custom build or by simply including the locale definition files after Sugar is loaded (in npm, these are in the locales directory).
use import 'sugar/locales'
or import 'sugar/locales/es'
, for example
if you wanted to treat different item types differently using the same citation template.
Because they would use the same TemplaData
returns a citation object even if no data is able to be retrieved.
When would this happen?
request the basefield instead
How? Using mediawiki-basefields?
expect(data).toEqual('Mark')
But, won't data
be {name: 'Mark'}
?
process.nextTick
why?
Años 2021: $2.000.000
Entiendo que quedó desactualizado: https://www.afip.gob.ar/gananciasYBienes/bienes-personales/conceptos-basicos/que-es.asp
using Better BibTeX format,
describes an incompatibility with a plugin
we may find interesting uses for multiple templates in a single tool
Which?
When using the Kubernetes backend, PORT will always be 8000.
This must be because, as said above, "Web servers running on Kubernetes have a second Nginx proxy server running as the "Ingress" component inside the Kubernetes cluster"
bastion
An instance you use to access other instances.
TYPE_OF_YOUR_TOOL
e.g., node10
$wgCitoidFullRestbaseURL
backend services
I understand Citoid would be one of this
the existing Wikimedia Cloud Services computing infrastructure (virtual private server (VPS)), the Toolforge hosting environment (platform as a service (PaaS))
Wikimedia Cloud VPS is Infrastructure as a Service, whereas Toolforge is Platform as a Service.
As explained in this article, PaaS is further away from on-premises than IaaS, and the user does not have to manage the operative system, middleware and runtimes.
With JavaScript, it also may be easier to debug some pieces of code directly in the browser.
But it provides source maps, doesn't it?
the ability to use new JavaScript features even if we have to support older browsers or Node.js.
This is also achievable through other tools such as Babel.
"transform": { "^.+\\.(t|j)sx?$": "ts-jest" },
Probably an alternative to "preset": "ts-jest"
: https://kulshekhar.github.io/ts-jest/docs/getting-started/presets#advanced
"testRegex": "(/__tests__/.*|(\\.|/)(test|spec))\\.(jsx?|tsx?)$",
Looks like the default jest setting: https://jestjs.io/docs/configuration#testregex-string--arraystring
Students who participated in tutoringoutperformed students in control groups oncontent area tests (identified as math, reading,and “other”).
Question is,, what are "control groups"? Active control? Adult-taught?
RT
RT of correct responses
almost 40 per cent of the non-significant p-values they identified were reported as marginally significant.
Could it have been that some papers did not report the actual p value if it was "non-significant", and hence these weren't picked up by the authors' script?
guaranteed to be only one citation Object in the Array.
A user has reported that in some cases she gets two results. She provided this query example:
{{cite news |url=http://nla.gov.au/nla.news-article19573778 |title=BELOW THE RANGE. |newspaper=[[The Brisbane Courier]] |volume=LXV, |issue=15,998 |location=Queensland, Australia |date=21 April 1909 |accessdate=13 October 2021 |page=2 |via=National Library of Australia}}
base domain
This is if one wants this to serve the base domain (e.g., example.com) as well.
settings
matrix_architecture: "arm64"
matrix_postgres_connection_password
matrix_synapse_macaroon_secret_key
matrix_ssl_lets_encrypt_support_email
matrix_coturn_turn_static_auth_secret
is required toomatrix.example.com
make sure you enter example.com
in setting matrix_domain
.ansible-playbook
Ubuntu 20.04 ships with Ansible 2.9.6 which is a buggy version: https://github.com/spantaleev/matrix-docker-ansible-deploy/blob/master/docs/ansible.md
Caldwell & Millen 2009)
This source seems to question the role of teaching in at least some forms of cultural accumulation.
documented forms of social learning from whichteaching may be derived;
I'm not sure what the difference is with what Kline is proposing here.
has the interaction been considered to be “teaching”
But maybe this narrower definitions of teaching fall into the bias that Rapaport warns about that "teaching in nonhumans is merely analogous to teaching in human".
inadvertent on the part of the dem-onstrator.
Why couldn't it be inadvertent? Kline suggests that one of the differences of functional definitions vs mentalist and culture-based ones is, precisely, that they don't require the teacher or the student be aware of the teaching situation.
alters itsbehavior
I assume Kline would say that "tolerating close observation" would be a way of "altering one's behaviour".
Information, Knowledge, Understandings and Skills (IKUS),
What would be the differences between these?
In nonhumans, there is only weak evidence that animals can attribute complex mental states to others (Premack and Woodruff, 1978; Cheney and Seyfarth, 1990). A number of stud- ies, however, have provided evidence (1) that nonhuman animals, ranging from domestic chickens to chimpanzees, modify their behav- ior on the basis of the social contexts in which they find themselves
If nonhuman animals have difficulties attributing mental states to others, how would they know that there is a "naïve" conspecific (in the presence of whom they should change their behavior)?
"Naive" in the definition simply indicates that B has not yet acquired the skill or knowledge in question.
How does the teacher "know" that this is the case?
By exploring children’s behavior when they justifytheir decisions to a knowledgeable interlocutor and when they teach the same conceptsto an unknowledgeable interlocutor, we will be able to evaluate an ‘aloud’revision oftheir content of knowledge in these scenarios.
Ver Calero, C. I. (2020). ¿Qué saben, ¿qué dicen que saben y qué enseñan los niños? Revista Argentina de Ciencias del Comportamiento ( RACC ), 12(Extra 1 (Suplemento I (Mayo)), 38–39.
are there socio-ecological conditionsthat are specific to human evolution, under which con-scious intent-to-teach might provide adaptive benefits?
And have these specifically human socio-ecological conditions, under which conscious intent-to-teach provides adaptive benefits, pushed emergence of theory of mind? This may resonate with Calero et al suggestion that teaching as a natural cognitive ability may in fact be the engine promoting the development of theory of mind and other cognitive skills.
Calero, C. I., Goldin, A. P., & Sigman, M. (2018). The Teaching Instinct. Review of Philosophy and Psychology. https://doi.org/10.1007/s13164-018-0383-6
generate structured data with JavaScript,
I understand that generating structured data dynamically implies that one needs a headless browser able to run JS code to read it.
MediaWiki:Citoid-template-type-map.json
English Wikipedia example here: https://en.wikipedia.org/wiki/MediaWiki:Citoid-template-type-map.json
The above describes how to code a script for VE.
I don't think so
You should look at "load.php....ext.visualEditor...".
There seem to be two. I found the onAddTemplateButtonClick
referred to below in ...ext.visualEditor.
articleTarget
...
I often make design choices that explicitly responds the design problems themselves
What does he mean?
label more pagesbecause more pages should cover more templates
How can consistent extraction rules be induced from pages covering different templates?
refine by position
Can I choose more than one position in case some are not available in one of the new pages?
outputs either an item with the data extracted
When are "Portia extractors" (i.e., regular expressions, etc) applied?
our lightweight, scriptable browser as a service
Is this a headless browser for headless scraping?
patented AI-powered automated extraction product.
What happened to Scrapely? Are they still using it?
Zotero/Citoid's ability to understand JSON-LD and other newer metadata features.
I wonder how many sites can't Zotero/Citoid understand because they use JSON-LD
aplicable también a aquellas personas nacionales a las que se les hubieran expedido Partidas de Nacimiento en el marco de la Ley Nº 26.743, con anterioridad a la vigencia de esta medida, sin perjuicio de lo consignado en la partida de nacimiento en la categoría “sexo”
quiere decir que no deben modificar nuevamente su partida de nacimiento, incluso cuando esta no sea considerada como una nueva "rectificación" (como se indica en uno de los Vistos arriba)?
podrán solicitar que en la zona reservada al “sexo” en los Documentos Nacionales de Identidad, y en los Pasaportes Ordinarios para Argentinos, se consigne la letra “X”; utilizándose en este caso el carácter de relleno “<” en la casilla correspondiente al campo “sexo” en la ZLM.
y qué si no? podrán solicitar que se especifique "M" o "F", si así lo desean, para evitar el ingreso o tránsito en territorios que no reconozcan la "X", como se indica en uno de los Vistos arriba?
identidad de género - real o percibida
cuál es la diferencia entre identidad de género real y percibida?
./node_modules/.bin/mocha
I guess one could run npx mocha
here as well.
dependencies we need to run tests
nock
is also installed, which is a "mocking and expectations library" which can be used to "test modules that perform HTTP requests in isolation".
beforeEach
takes a function that runs before each test in a block
define, it, beforeEach, etc
The describe()/beforeEach()/it() convention originated with the Ruby testing library RSpec
https://bignerdranch.com/blog/why-do-javascript-test-frameworks-use-describe-and-beforeeach/
"declare tests by calls to it(), nested inside describe()s and with optional beforeEach() calls"
You might end up using other tools, to stub or mock the desired behaviors of other units that a given unit of code might interact with.
Is Sinon.js one of these?
el género es un efecto, una actuación, un hacer, y no un atributo con el que cuentan los sujetos. Se trata de una práctica social reiterativa.
el género performático
hete-rónomos
"un ser que vive según reglas que le son impuestas, y que en el caso del ser humano se soportan contra la propia voluntad o con cierto grado de indiferencia" (Wikipedia)
Más aún, determina que, a solo requerimiento del menor de edad, el nombre de pila elegido deberá ser utilizado para la citación, el registro, el legajo, el llamado y cualquier otra gestión y servicio, tanto en el ámbito público como en el privado.
Entiendo que esto vale para adultxs también.
Ley 26.743
http://servicios.infoleg.gob.ar/infolegInternet/anexos/195000-199999/197860/norma.htm
la ley habilita a toda persona a actualizar su documento de identidad de acuerdo con el género autopercibido,
Y obiiga a otras personas e instituciones a tratarla de acuerdo con esta autopercepción, independientemente del cambio registral.
Preprints will not be eligible if they have been indexed in MEDLINE or PubMed;
Why is this?
mooshroom
BDD / TDD
El Desarrollo guiado por pruebas (TDD: Test Driven Development) y el Desarrollo guiado por comportamiento (BDD: Behavior Driven Development)
redes campesinas, pesca artesanal, huertas urbanas, recolección tradicional, que son quienes proveen alimento al 70 por ciento de la población mundial.
fuente?
Annotation Tips for Students
Este texto ha sido adaptado al español aquí: https://anotacionweb.com/consejos-para-estudiantes/
You’ll be taken to a new view of your webpage, now with annotation enabled.
Unfortunately, this will no longer work for most domains: https://web.hypothes.is/blog/why-we-no-longer-run-an-open-proxy/
cryptography
I read "crystallography" first. Maybe it could be a good metaphor for the reverse process: getting the concepts from the text (as one would get molecular structure from X-ray crystallography patterns).
your usual audio and video players will be broken while JACK is running
This can be avoided using a JACK bridge for PulseAudio.
Este paso es adicional y no es necesario si seguiste los pasos en las secciones 1 a 3 de este instructivo.
Como se indica en la nota del 14 jun 21 más arriba, ahora este paso sí es necesario en la mayoría de los casos.
Se enviaron versiones anotables de los documentos seleccionados para evitar que lxs estudiantes tuvieran que instalar software adicional en sus dispositivos.
Lamentablemente, ya no es posible obtener versiones anotables para la mayoría de las páginas web y PDFs online, porque el equipo Hypothesis se vio obligado a restringir su proxy web.
La alternativa de instalar Hypothesis "para poder anotar cualquier documento web sin tener que generar una versión anotable previamente" sigue estando disponible, por supuesto.
the associatedAPCs for some Springer Nature journals are so high,I can fund a researcher for two months forthe price (not cost) of one article.
Imagine how many researcher-months that is for developing countries.
Dutch scholars, like me,are paying money via the overhead modelfor a deal where I only get something in return ifI do not publish in a full Open Access journal.
It is not clear to me what "paying money via the overhead model" means here.
The "deal" here refers to the deal that Springer Nature made with the Dutch universities?
When he says "I only get something in return if I do not publish in...", I guess he is referring to himself as a "Dutch scholar" and not as an Editor-in-Chief, correct?
The deal financially urges me topublish in a semi-paywalled journal, withlower open science standards, at a cost higher thanin the BMC journal.
He is a researcher at an University in the Netherlands.
The deal entails publishing in a series of journals at no cost for the author.
LIS
Library and Information Science
In the military context,
The authors come from industrial engineering and maths departments. Why do they frame their research in the military context as soon as in the first paragraph?
both search APIs provided the Wikibase instance (the auto-complete API and the search API).
opensearch and wbsearchentities? or query? see https://stackoverflow.com/questions/37170179/wikidata-api-wbsearchentities-why-are-results-not-the-same-in-python-than-in-wi
looking for items with the supplied identifiers (via SPARQL)
What happens if two unique identifiers are provided and one matches and the other one doesn't?
In this case, one score 100 result is returned, with match boolean set to true.
Or what happens if they point to different items?
In this case, two score 100 results are returned, but with match boolean set to false.
When a unique identifier is supplied as a property, candidates are first fetched by looking for items with the supplied identifiers (via SPARQL), and text search on the query is only used as a fallback.
Still, the label score is returned. I guess that's because the label of the item (whose unique identifier matched) is returned via SPARQL and compared against the query value.
By exposing individual features in their responses, services make it possible for clients to compute matching scores which fit their use cases better.
that is, instead of using the "global" score provided by the service
supply a fake column of names (for instance using a random value that yields no match when searching for it in Wikidata.
Why not just use an empty string?
If a unique identifier is supplied in an additional property, then reconciliation candidates will first be searched for using the unique identifier values. If no item matches the unique identifier supplied, then the reconciliation service falls back on regular search.
This is also explained here: https://openrefine-wikibase.readthedocs.io/en/latest/architecture.html#reconciliation
a unique identifier
I understand it knows it is a unique identifier, because the Wikidata property says so.
the Visual Editor now uses Zotero to create cites automatically from a pasted in URL.
Citoid
archives of all websites are on web.archive.org.
But you have the canonical url field which you can use here
Only backend scripts have elevated cross-domain privileges.
And Firefox?
Zotero translators need to be written for each site.
Some sites may expose metadata the right way and generic translators could be used for them.
not all users have the permission to do it
Which users don't have the permission to do it?
we’re just adding data and notreorganizing anything
This reminds me so much of conceptual change processes, where one may have simple accretion, without changing underlying presuppositions and specific theories, vs more difficult theory revision to accommodate otherwise conflicting data.
The textual data consist of a total of 11,332 texts (rather than the expected 12,966 texts) since not every participant produced all the required types of text.
2161 participants * 6 texts (narration, recommendation, joke, noun definition, verb definition, adjective definition) = 12966
42 children attending kindergarten were excluded from the text writing tasks
But the table below says kindergarten children were 33
syphons. The simplest came in the form of browser extensions. Whenever a Flancian used a targeted service X, the syphon redirected relevant data in the background to the replica X’.
Don't close-source social networks in our world today provide such data export tools (either willingly or legally obliged)? How would these differ to these Flancia's syphons?
Do we have examples of these syphons in our world? I haven't found a [[syphon]] node in the Flancia's Agora :(
I(X’)
So this would be F(X'), right?
Agora
Un término por el que se designaba en la Antigua Grecia a la plaza de las ciudades-estado griegas (polis), donde se solían congregar los ciudadanos
buy most promising contenders and offer them as relatively empty alternatives to their main network
what examples from our world are there?
¿Por qué crear un sitio web?
"Un dominio propio": https://indieweb.org/A_Domain_of_One%27s_Own
A la Virginia Wolf, en "Una habitación propia": "«Una mujer tiene que tener dinero y una habitación propia para poder escribir novela»
upload the citation information
Sync items' citations with Wikidata. No citations would be downloaded because the entities will have been created just recently.
automatically extract
Alternatively, import citations from Crossref or OpenCitations, if these functions are implemented.
create a new entry on WikiData
That is:
A PID (DOI or ISBN) may be required to make sure no duplicates are created.
Identify items in their collections without QID
The QID column would be useful for this: https://github.com/diegodlh/zotero-wikicite/issues/23
log in to it with the plugin.
To be included in the preferences window: https://github.com/diegodlh/zotero-wikicite/issues/35
fetch citation data for their collections.
That is, first fetch QID and then fetch citations. Alternatively, the fetch citations method may offer to fetch QIDs for items which don't have them first: https://github.com/diegodlh/zotero-wikicite/issues/36
Also logseq. Seems to run online, linked to Github repository. Front end open source. Backend not.
Link as first-class citizen;
Like citations in the CITO citation ontology.
journals that do not work with Crossref.
Examples?
Wikidata is expected to not use automatically scraped data.
But this has changed, hasn't it?
The joint entropy is at a maximum when there is no rela-tionship between the S and R variables.
Is this when the signal sent by the signaler is completely uncoupled from the signal received by the receiver?
it is possible to have individuality without replication
But take humans for example. Although most of each individual's cells share the same genetic material (even though expression does change between cells), we wouldn't say that humans can't replicate, although only a few germ line cells do have the power of generating new individuals.
alloethism, which is where different sized bees perform different tasks
What is the difference between alloethism and caste polyethism?
inter-individual interactions vs. environmental stimuli
I guess it depends on what approach you take, but what would be the difference beween other individuals and the environment?
itemDone
There is another itemsDone
which returns an array of items.
Zotero.loadTranslator(type)
This is only available from with a translator already, to load another translator.
.complete();
CanSino Biologics, the University of Oxford, and Johnson & Johnson.
They do not mention Gamaleya: https://sputnikvaccine.com/about-vaccine/human-adenoviral-vaccines/
As with all vaccines, the idea is to trick our body into thinking it’s been infected.
But vaccines that use genetic material and use the host cells' machinery to build the antigens are rather new, aren't they?
pre-existing Ad5 immunity might dampen desired vaccine-induced responses
On the one hand, having previous exposure to Ad5 dampens the vaccine anti-HIV effect
dilemma for vaccinologists, who have to thread a compromise between the desire to induce strong vaccine responses and, at the same time, avoid the immune activation that may enhanced HIV acquisition.
Is this dilemma commented on in other vaccines, not based on adenoviruses and more specifically on Ad5 adenovirus? Sources?
unexpected that the levels induced would interfere with certain HIV tests.
Why were they testing hiv anyway?
a similar relationship was notobserved in the Phambili trial, where the same Ad5 HIV vac-cine was tested in Africa
But a later follow-up confirmed increased susceptibility in the Phambili trial as well: https://journals.plos.org/plosone/article?id=10.1371/journal.pone.0137666
and other countries.
Including Argentina https://www.telam.com.ar/notas/202012/538498-fundacion-huesped-comienza-un-nuevo-estudio-de-fase-3-de-una-vacuna.html
Very few people around the world have been exposed to these viruses,
Sounds as if she is referring to Ad26 and ChAdOx1, not Ad5.
Currently, several leading COVID vaccine candidates use an adenovirus platform (including those from CanSino, Oxford/AstraZeneca and Johnson & Johnson/Janssen), though only CanSino is using Ad5. [4, 5, 6, 7]
Gamaleya's Sputnik-V also use adenovirus, and it uses Ad5 in its second dosis: https://sputnikvaccine.com/about-vaccine/
You simple restart Firefox and the edits to your extensions code will become available.
Any way to avoid having to restart?
"Email me when a page or file on my watchlist is changed" at Special:Preferences.
I wonder why this is in the main, "User profile", section of the preferences, and not in the "Notifications" tab, like the other notification settings.
it would require the addition of a "reason" qualifier to the "cites work" P2860 property.
Scholia is already using P3712 "objective of project or action" for this: https://scholia.toolforge.org/cito/
Compared to their freely playing peers, the play-deprived rats took much longer to try new ways of getting at the food and solving this problem.
Did they control for confound variables such as depression due to isolation?
The physicist’s introspection provokes the question: How do creative minds overcome valleys to get to the next higher peak?
Play is like Montecarlo random sampling algorithm?
The use of citation templates is neither encouraged nor discouraged: an article should not be switched between templated and non-templated citations without good reason and consensus
Will the implementation of Cite Q be one such good reason?
return ref.current;
Effects run after render. Hence, this returns ref.current before the effect above runs and updates ref.current to the new value.
differences from mozIJSSubScriptLoader:
Whereas variables that cannot be resolved in the subscript scope are searched for in the target scope when using loadSubScript, that doesn't seem to be the case when using Components.utils.import instead.
we only match between editors with similar characteristics
What do they mean "with similar characteristics"? Is there something going on with these editors that their edits made them earn a "thank"? Is this "something" somehow impacting their future edits as well?
Could one have matched the same editor in different moments, that is in a moment they were thanked vs a moment they were not thanked, instead of comparing across editors?
In Table 4, unthankededitors have a higher average value for every feature.
Are these differences statistically significant? If yes, don't they say that thanked and unthanked editors with similar characteristics were matched? If thanked and unthanked editors are different in tenure, edits, thanks, etc, what are the characteristics for which they are similar?
tenure
They don't seem to define what they mean by "tenure"
greeting() and farewell() are class methods.
How to define static properties/methods this way? Adding the static
key.
The second ref argument only exists when you define a component with React.forwardRef call. Regular function or class components don’t receive the ref argument, and ref is not available in props either.
Why can't I just pass the ref as a prop?
Download the Firefox runtime
Zotero right now needs Mozilla's discontinued XULRunner. I understand this will no longer be the case when they migrate to React.
Mozilla is discontinuing the powerful extension framework on which Zotero for Firefox is based in favor of WebExtensions, a new framework based on the Chrome extension model.
I understand they are talking about XUL overlays (or their restartless replacement, bootstrapped extensions).
executeTransaction
Would this work outside an executeTransaction function, using item.saveTx() instead of item.save()? What would be the difference?
mappedFieldID ? mappedFieldID : fieldID
Why can't I use the fieldname directly?
mappedFieldID
so the mappedFieldID may change depending on the item type?
getAsync
What is the difference with Zotero.Items.get()?
.getNote()
Can only be called on notes and attachments
styleID
This would be http://www.zotero.org/styles/chicago-note-bibliography
, for example
format
For example, bibliography=http://www.zotero.org/styles/chicago-note-bibliography
itemID
The item ID is not the key
item.saveTx();
In this case, where the item already exists in the database, the method seems to return "true", instead of the item's ID
already depositing the ref-erence lists of their publications at Crossref,
This was for them to be able to use CrossRef's CitedBy service
recently released NIH Open Citation Collection,
It may be worth it programming a bot that brings this information to wikidata