ETA 24 Abr 17
Queria simplificar um pouco isso com alguma async
/ await
magia, pois isso torna muito mais sucinto:
Usando o mesmo observável prometido:
const startObservable = (domNode) => {
var targetNode = domNode;
var observerConfig = {
attributes: true,
childList: true,
characterData: true
};
return new Promise((resolve) => {
var observer = new MutationObserver(function (mutations) {
// For the sake of...observation...let's output the mutation to console to see how this all works
mutations.forEach(function (mutation) {
console.log(mutation.type);
});
resolve(mutations)
});
observer.observe(targetNode, observerConfig);
})
}
Sua função de chamada pode ser tão simples quanto:
const waitForMutation = async () => {
const button = document.querySelector('.some-button')
if (button !== null) button.click()
try {
const results = await startObservable(someDomNode)
return results
} catch (err) {
console.error(err)
}
}
Se você deseja adicionar um tempo limite, pode usar um Promise.race
padrão simples, conforme demonstrado aqui :
const waitForMutation = async (timeout = 5000 /*in ms*/) => {
const button = document.querySelector('.some-button')
if (button !== null) button.click()
try {
const results = await Promise.race([
startObservable(someDomNode),
// this will throw after the timeout, skipping
// the return & going to the catch block
new Promise((resolve, reject) => setTimeout(
reject,
timeout,
new Error('timed out waiting for mutation')
)
])
return results
} catch (err) {
console.error(err)
}
}
Original
Você pode fazer isso sem bibliotecas, mas precisaria usar algumas coisas do ES6, portanto, esteja ciente dos problemas de compatibilidade (por exemplo, se o seu público for majoritariamente Amish, luddito ou, pior, usuários do IE8)
Primeiro, usaremos a API MutationObserver para construir um objeto observador. Embrulharemos esse objeto em uma promessa e, resolve()
quando o retorno de chamada for acionado (h / t davidwalshblog), artigo da david walsh blog sobre mutações :
const startObservable = (domNode) => {
var targetNode = domNode;
var observerConfig = {
attributes: true,
childList: true,
characterData: true
};
return new Promise((resolve) => {
var observer = new MutationObserver(function (mutations) {
// For the sake of...observation...let's output the mutation to console to see how this all works
mutations.forEach(function (mutation) {
console.log(mutation.type);
});
resolve(mutations)
});
observer.observe(targetNode, observerConfig);
})
}
Então, criaremos um generator function
. Se você ainda não os usou, está perdendo - mas uma breve sinopse é: ela funciona como uma função de sincronização e, quando encontra uma yield <Promise>
expressão, aguarda de maneira ininterrupta a promessa de ser cumprida. cumpridos (os geradores fazem mais do que isso, mas é nisso que estamos interessados aqui ).
// we'll declare our DOM node here, too
let targ = document.querySelector('#domNodeToWatch')
function* getMutation() {
console.log("Starting")
var mutations = yield startObservable(targ)
console.log("done")
}
Uma parte complicada dos geradores é que eles não 'retornam' como uma função normal. Portanto, usaremos uma função auxiliar para poder usar o gerador como uma função regular. (novamente, h / t para dwb )
function runGenerator(g) {
var it = g(), ret;
// asynchronously iterate over generator
(function iterate(val){
ret = it.next( val );
if (!ret.done) {
// poor man's "is it a promise?" test
if ("then" in ret.value) {
// wait on the promise
ret.value.then( iterate );
}
// immediate value: just send right back in
else {
// avoid synchronous recursion
setTimeout( function(){
iterate( ret.value );
}, 0 );
}
}
})();
}
Então, a qualquer momento antes que a mutação DOM esperada possa ocorrer, basta executar runGenerator(getMutation)
.
Agora você pode integrar mutações DOM em um fluxo de controle de estilo síncrono. Que tal isso.