🧷
puppeteerを用いてユーザの操作履歴を記録する
目的
puppetterが起動したブラウザに対してユーザが行った以下の操作を補足する。
- すべてのタグのclickイベント
- inputタグのchangeイベント
- textareaタグのchangeイベント
- selectタグのchangeイベント
環境
node v16.16.0
"puppeteer": "^19.4.1",
"request-promise-native": "^1.0.9"
実装方法
page.evaluateOnNewDocumentを使用することで、ページがナビゲートされるたびにブラウザ内で実行される関数を指定することができる。
例えば、以下のような実装を行うことで、ドキュメント中のクリックイベントを補足することが可能となる。
await page.evaluateOnNewDocument(() => {
window.addEventListener('click', (evt) => {
})
})
次に、ブラウザ中のJavaScriptからpuppeteerに情報を渡すには、page.exposeFunctionを使用する必要がある。page.exposeFunctionはブラウザのwindowオブジェクトで呼び出し可能な関数を定義できる。
例:
await page.exposeFunction('onCustomEvent', (name) => {
console.log(`Event fired: ${name}`);
});
await page.evaluateOnNewDocument(() => {
window.addEventListener('click', (evt) => {
window.onCustomEvent('change_input');
})
})
実装例
/* eslint-disable no-console */
/* eslint-disable no-restricted-syntax */
const puppeteer = require('puppeteer');
// 標準入力で何か入力するまで終了を待機する
const rlp = require('readline');
const rl = rlp.createInterface({
input: process.stdin,
output: process.stdout,
});
function ask() {
return new Promise((resolve) => {
rl.question('Enter input: ', (input) => {
rl.close();
resolve(input);
});
});
}
// メインのロジック
(async () => {
const browser = await puppeteer.launch({
headless: false,
args: ['--no-sandbox', '--lang=ja'],
});
const page = await browser.newPage();
try {
await page.evaluateOnNewDocument(() => {
// ページがナビゲートされるたびに、フレームがアタッチまたはナビゲートされるたびに発火する
// https://pptr.dev/api/puppeteer.page.evaluateonnewdocument
console.log('evaluateOnNewDocument....');
// ページ中のjavascriptの処理
/**
* 要素を指定して、その情報を取得する
* @param {Element} element
* @returns 要素の情報
*/
function getElementInfo(element) {
return {
tagName: element.tagName.toLowerCase(),
id: element.id,
classList: element.classList ? element.classList.value : null,
index: null,
};
}
/**
* ある要素のルートまでのすべての親要素の情報を取得する
* @param {Element} element 要素
* @param {Array<any>} result 結果を格納するリスト
* @returns
*/
function getElementInfoList(element, result) {
if (!element || !element.tagName || !element.parentElement) {
return;
}
const info = getElementInfo(element);
const s = [];
const classValueB = element.classList ? element.classList.value : null;
for (let i = 0; i < element.parentElement.childNodes.length; i += 1) {
const e = element.parentElement.childNodes[i];
const classValueA = e.classList ? e.classList.value : null;
if (e.tagName === element.tagName && (!classValueB || classValueA === classValueB)) {
s.push(e);
}
}
if (s.length > 1) {
for (let i = 0; i < s.length; i += 1) {
if (s[i] === element) {
info.index = (i + 1);
break;
}
}
}
result.push(info);
getElementInfoList(element.parentElement, result);
}
/**
* セレクタのパスを結合する
* @param {string} parent 親のパス
* @param {string} child 子のパス
* @returns 結合したパス
*/
function join(parent, child) {
if (!child) {
return parent;
}
return `${parent}/${child}`;
}
/**
* 指定の要素を一意に選択できるxpathを構築する
* @param {Element} element
* @returns
*/
function getSelector(element) {
if (!element) {
return '';
}
// 指定の要素
const infos = [];
getElementInfoList(element, infos);
let path = '';
for (const info of infos) {
if (info.id) {
return join(`//${info.tagName}[@id='${info.id}']`, path);
}
if (info.classList.length > 0) {
const tmpPath = join(`//${info.tagName}[@class='${info.classList}']`, path);
if (document.evaluate(
tmpPath,
document,
null,
XPathResult.ORDERED_NODE_SNAPSHOT_TYPE,
null,
).snapshotLength === 1) {
// XPATHで唯一のタグが選択できた場合
return tmpPath;
}
if (info.index) {
path = join(`${info.tagName}[@class='${info.classList}'][${info.index}]`, path);
} else {
path = join(`${info.tagName}[@class='${info.classList}']`, path);
}
} else if (info.index) {
path = join(`${info.tagName}[${info.index}]`, path);
} else {
path = join(`${info.tagName}`, path);
}
}
return `//${path}`;
}
/**
* デフォルト引数の構築
* @param {*} evt
* @returns
*/
function createDefaultArgs(evt) {
const xpath = getSelector(evt.target);
const attributes = [];
for (let i = 0; i < evt.target.attributes.length; i += 1) {
if (evt.target.attributes[i].name === 'value') {
// eslint-disable-next-line no-continue
continue;
}
attributes.push({
name: evt.target.attributes[i].name,
value: evt.target.attributes[i].value,
});
}
return {
url: document.URL,
type: evt.target.type,
xpath,
text: evt.target.textContent,
attributes,
};
}
// クリックイベントをpuppeteerに通知
window.addEventListener('click', (evt) => {
const args = createDefaultArgs(evt);
args.x = evt.x;
args.y = evt.y;
window.onCustomEvent(evt.type, args);
});
// ページを読み込み後に各種イベントをハンドリングする
window.addEventListener('load', () => {
// inputの変更イベントをpuppeteerに通知
const inputs = window.document.getElementsByTagName('input');
for (const input of inputs) {
input.addEventListener('change', (evt) => {
const args = createDefaultArgs(evt);
args.value = evt.target.value;
if (evt.target.type === 'checkbox' || evt.target.type === 'radio') {
args.checked = evt.target.checked;
}
window.onCustomEvent('change_input', args);
});
}
// textareaの変更イベントをpuppeteerに通知
const textAreas = window.document.getElementsByTagName('textarea');
for (const textArea of textAreas) {
textArea.addEventListener('change', (evt) => {
const args = createDefaultArgs(evt);
args.value = evt.target.value;
window.onCustomEvent('change_textarea', args);
});
}
// selectの変更イベントをpuppeteerに通知
const selects = window.document.getElementsByTagName('select');
for (const select of selects) {
select.addEventListener('change', (evt) => {
const args = createDefaultArgs(evt);
args.value = evt.target.value;
const selectedOptions = [];
for (const option of evt.target.options) {
if (option.selected) {
selectedOptions.push({
value: option.value,
text: option.textContent,
});
}
}
args.selectedOptions = selectedOptions;
window.onCustomEvent('change_select', args);
});
}
});
});
// ページ中のwindowオブジェクトで呼び出し可能な関数を追加する。
// https://pptr.dev/api/puppeteer.page.exposefunction
await page.exposeFunction('onCustomEvent', (name, args) => {
console.log(`Event fired: ${name}`, args);
});
await page.goto('http://needtec.sakura.ne.jp/auto_demo/form1.html');
page.on('dialog', (dialog) => {
// ダイアログを表示した場合にイベントが発火する
console.log('次のダイアログが表示された', dialog.message(), dialog.type());
});
// 終了を待機
await ask();
} catch (err) {
// エラーが起きた際の処理
console.error('エラーが発生', err);
} finally {
await browser.close();
}
})();
参考
Issue listening for custom event via puppeteer
Page.evaluateOnNewDocument() method
Page.exposeFunction() method
Discussion