More features for reccmp HTML UI (#701)

This commit is contained in:
MS 2024-03-22 13:40:51 -04:00 committed by GitHub
parent 68bb20f04f
commit 739caacd8d
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
2 changed files with 639 additions and 247 deletions

View file

@ -61,6 +61,46 @@ function formatAsm(entries, addrOption) {
return output; return output;
} }
// Special internal values to ensure this sort order for matching column:
// 1. Stub
// 2. Any match percentage [0.0, 1.0)
// 3. Effective match
// 4. Actual 100% match
function matchingColAdjustment(row) {
if ('stub' in row) {
return -1;
}
if ('effective' in row) {
return 1.0;
}
if (row.matching === 1.0) {
return 1000;
}
return row.matching;
}
function getCppClass(str) {
const idx = str.indexOf('::');
if (idx !== -1) {
return str.slice(0, idx);
}
return str;
}
// Clamp string length to specified length and pad with ellipsis
function stringTruncate(str, maxlen = 20) {
str = getCppClass(str);
if (str.length > maxlen) {
return `${str.slice(0, maxlen)}...`;
}
return str;
}
function getMatchPercentText(row) { function getMatchPercentText(row) {
if ('stub' in row) { if ('stub' in row) {
return 'stub'; return 'stub';
@ -73,6 +113,18 @@ function getMatchPercentText(row) {
return (row.matching * 100).toFixed(2) + '%'; return (row.matching * 100).toFixed(2) + '%';
} }
function countDiffs(row) {
const { diff = '' } = row;
if (diff === '') {
return '';
}
const diffs = diff.map(([slug, subgroups]) => subgroups).flat();
const diffLength = diffs.filter(d => !('both' in d)).length;
const diffWord = diffLength === 1 ? 'diff' : 'diffs';
return diffLength === 0 ? '' : `${diffLength} ${diffWord}`;
}
// Helper for this set/remove attribute block // Helper for this set/remove attribute block
function setBooleanAttribute(element, attribute, value) { function setBooleanAttribute(element, attribute, value) {
if (value) { if (value) {
@ -82,6 +134,12 @@ function setBooleanAttribute(element, attribute, value) {
} }
} }
function copyToClipboard(value) {
navigator.clipboard.writeText(value);
}
const PAGE_SIZE = 200;
// //
// Global state // Global state
// //
@ -91,9 +149,184 @@ class ListingState {
this._query = ''; this._query = '';
this._sortCol = 'address'; this._sortCol = 'address';
this._filterType = 1; this._filterType = 1;
this.sortDesc = false; this._sortDesc = false;
this.hidePerfect = false; this._hidePerfect = false;
this.hideStub = false; this._hideStub = false;
this._showRecomp = false;
this._expanded = {};
this._page = 0;
this._listeners = [];
this._results = [];
this.updateResults();
}
addListener(fn) {
this._listeners.push(fn);
}
callListeners() {
for (const fn of this._listeners) {
fn();
}
}
isExpanded(addr) {
return addr in this._expanded;
}
toggleExpanded(addr) {
this.setExpanded(addr, !this.isExpanded(addr));
}
setExpanded(addr, value) {
if (value) {
this._expanded[addr] = true;
} else {
delete this._expanded[addr];
}
}
updateResults() {
const filterFn = this.rowFilterFn.bind(this);
const sortFn = this.rowSortFn.bind(this);
this._results = data.filter(filterFn).sort(sortFn);
// Set _page directly to avoid double call to listeners.
this._page = this.pageClamp(this.page);
this.callListeners();
}
pageSlice() {
return this._results.slice(this.page * PAGE_SIZE, (this.page + 1) * PAGE_SIZE);
}
resultsCount() {
return this._results.length;
}
pageCount() {
return Math.ceil(this._results.length / PAGE_SIZE);
}
maxPage() {
return Math.max(0, this.pageCount() - 1);
}
// A list showing the range of each page based on the sort column and direction.
pageHeadings() {
if (this._results.length === 0) {
return [];
}
const headings = [];
for (let i = 0; i < this.pageCount(); i++) {
const startIdx = i * PAGE_SIZE;
const endIdx = Math.min(this._results.length, ((i + 1) * PAGE_SIZE)) - 1;
let start = this._results[startIdx][this.sortCol];
let end = this._results[endIdx][this.sortCol];
if (this.sortCol === 'matching') {
start = getMatchPercentText(this._results[startIdx]);
end = getMatchPercentText(this._results[endIdx]);
}
headings.push([i, stringTruncate(start), stringTruncate(end)]);
}
return headings;
}
rowFilterFn(row) {
// Destructuring sets defaults for optional values from this object.
const {
effective = false,
stub = false,
diff = '',
name,
address,
matching
} = row;
if (this.hidePerfect && (effective || matching >= 1)) {
return false;
}
if (this.hideStub && stub) {
return false;
}
if (this.query === '') {
return true;
}
// Name/addr search
if (this.filterType === 1) {
return (
address.includes(this.query) ||
name.toLowerCase().includes(this.query)
);
}
// no diff for review.
if (diff === '') {
return false;
}
// special matcher for combined diff
const anyLineMatch = ([addr, line]) => line.toLowerCase().trim().includes(this.query);
// Flatten all diff groups for the search
const diffs = diff.map(([slug, subgroups]) => subgroups).flat();
for (const subgroup of diffs) {
const { both = [], orig = [], recomp = [] } = subgroup;
// If search includes context
if (this.filterType === 2 && both.some(anyLineMatch)) {
return true;
}
if (orig.some(anyLineMatch) || recomp.some(anyLineMatch)) {
return true;
}
}
return false;
}
rowSortFn(rowA, rowB) {
const valA = this.sortCol === 'matching'
? matchingColAdjustment(rowA)
: rowA[this.sortCol];
const valB = this.sortCol === 'matching'
? matchingColAdjustment(rowB)
: rowB[this.sortCol];
if (valA > valB) {
return this.sortDesc ? -1 : 1;
} else if (valA < valB) {
return this.sortDesc ? 1 : -1;
}
return 0;
}
pageClamp(page) {
return Math.max(0, Math.min(page, this.maxPage()));
}
get page() {
return this._page;
}
set page(page) {
this._page = this.pageClamp(page);
this.callListeners();
} }
get filterType() { get filterType() {
@ -105,6 +338,7 @@ class ListingState {
if (value >= 1 && value <= 3) { if (value >= 1 && value <= 3) {
this._filterType = value; this._filterType = value;
} }
this.updateResults();
} }
get query() { get query() {
@ -114,6 +348,21 @@ class ListingState {
set query(value) { set query(value) {
// Normalize search string // Normalize search string
this._query = value.toLowerCase().trim(); this._query = value.toLowerCase().trim();
this.updateResults();
}
get showRecomp() {
return this._showRecomp;
}
set showRecomp(value) {
// Don't sort by the recomp column we are about to hide
if (!value && this.sortCol === 'recomp') {
this._sortCol = 'address';
}
this._showRecomp = value;
this.callListeners();
} }
get sortCol() { get sortCol() {
@ -122,117 +371,43 @@ class ListingState {
set sortCol(column) { set sortCol(column) {
if (column === this._sortCol) { if (column === this._sortCol) {
this.sortDesc = !this.sortDesc; this._sortDesc = !this._sortDesc;
} else { } else {
this._sortCol = column; this._sortCol = column;
} }
this.updateResults();
}
get sortDesc() {
return this._sortDesc;
}
set sortDesc(value) {
this._sortDesc = value;
this.updateResults();
}
get hidePerfect() {
return this._hidePerfect;
}
set hidePerfect(value) {
this._hidePerfect = value;
this.updateResults();
}
get hideStub() {
return this._hideStub;
}
set hideStub(value) {
this._hideStub = value;
this.updateResults();
} }
} }
const StateProxy = { const appState = new ListingState();
set(obj, prop, value) {
if (prop === 'onsort') {
this._onsort = value;
return true;
}
if (prop === 'onfilter') {
this._onfilter = value;
return true;
}
obj[prop] = value;
if (prop === 'sortCol' || prop === 'sortDesc') {
this._onsort();
} else {
this._onfilter();
}
return true;
}
};
const appState = new Proxy(new ListingState(), StateProxy);
//
// Stateful functions
//
function addrShouldAppear(addr) {
// Destructuring sets defaults for optional values from this object.
const {
effective = false,
stub = false,
diff = '',
name,
address,
matching
} = getDataByAddr(addr);
if (appState.hidePerfect && (effective || matching >= 1)) {
return false;
}
if (appState.hideStub && stub) {
return false;
}
if (appState.query === '') {
return true;
}
// Name/addr search
if (appState.filterType === 1) {
return (
address.includes(appState.query) ||
name.toLowerCase().includes(appState.query)
);
}
// no diff for review.
if (diff === '') {
return false;
}
// special matcher for combined diff
const anyLineMatch = ([addr, line]) => line.toLowerCase().trim().includes(appState.query);
// Flatten all diff groups for the search
const diffs = diff.map(([slug, subgroups]) => subgroups).flat();
for (const subgroup of diffs) {
const { both = [], orig = [], recomp = [] } = subgroup;
// If search includes context
if (appState.filterType === 2 && both.some(anyLineMatch)) {
return true;
}
if (orig.some(anyLineMatch) || recomp.some(anyLineMatch)) {
return true;
}
}
return false;
}
// Row comparator function, using our chosen sort column and direction.
// -1 (A before B)
// 1 (B before A)
// 0 (equal)
function rowSortOrder(addrA, addrB) {
const objA = getDataByAddr(addrA);
const objB = getDataByAddr(addrB);
const valA = objA[appState.sortCol];
const valB = objB[appState.sortCol];
if (valA > valB) {
return appState.sortDesc ? -1 : 1;
} else if (valA < valB) {
return appState.sortDesc ? 1 : -1;
}
return 0;
}
// //
// Custom elements // Custom elements
@ -244,7 +419,8 @@ class SortIndicator extends window.HTMLElement {
attributeChangedCallback(name, oldValue, newValue) { attributeChangedCallback(name, oldValue, newValue) {
if (newValue === null) { if (newValue === null) {
this.textContent = ''; // Reserve space for blank indicator so column width stays the same
this.innerHTML = '&nbsp;';
} else { } else {
this.innerHTML = newValue === 'asc' ? '&#9650;' : '&#9660;'; this.innerHTML = newValue === 'asc' ? '&#9650;' : '&#9660;';
} }
@ -252,14 +428,6 @@ class SortIndicator extends window.HTMLElement {
} }
class FuncRow extends window.HTMLElement { class FuncRow extends window.HTMLElement {
static observedAttributes = ['expanded'];
constructor() {
super();
this.onclick = evt => (this.expanded = !this.expanded);
}
connectedCallback() { connectedCallback() {
if (this.shadowRoot !== null) { if (this.shadowRoot !== null) {
return; return;
@ -268,29 +436,14 @@ class FuncRow extends window.HTMLElement {
const template = document.querySelector('template#funcrow-template').content; const template = document.querySelector('template#funcrow-template').content;
const shadow = this.attachShadow({ mode: 'open' }); const shadow = this.attachShadow({ mode: 'open' });
shadow.appendChild(template.cloneNode(true)); shadow.appendChild(template.cloneNode(true));
shadow.querySelector(':host > div[data-col="name"]').addEventListener('click', evt => {
this.dispatchEvent(new Event('name-click'));
});
} }
get address() { get address() {
return this.getAttribute('data-address'); return this.getAttribute('data-address');
} }
get expanded() {
return this.getAttribute('expanded') !== null;
}
set expanded(value) {
setBooleanAttribute(this, 'expanded', value);
}
attributeChangedCallback(name, oldValue, newValue) {
if (name !== 'expanded') {
return;
}
if (this.onchangeExpand) {
this.onchangeExpand(this.expanded);
}
}
} }
class NoDiffMessage extends window.HTMLElement { class NoDiffMessage extends window.HTMLElement {
@ -305,6 +458,36 @@ class NoDiffMessage extends window.HTMLElement {
} }
} }
class CanCopy extends window.HTMLElement {
connectedCallback() {
if (this.shadowRoot !== null) {
return;
}
const template = document.querySelector('template#can-copy-template').content;
const shadow = this.attachShadow({ mode: 'open' });
shadow.appendChild(template.cloneNode(true));
const el = shadow.querySelector('slot').assignedNodes()[0];
el.addEventListener('mouseout', evt => { this.copied = false; });
el.addEventListener('click', evt => {
copyToClipboard(evt.target.textContent);
this.copied = true;
});
}
get copied() {
return this.getAttribute('copied');
}
set copied(value) {
if (value) {
setTimeout(() => { this.copied = false; }, 2000);
}
setBooleanAttribute(this, 'copied', value);
}
}
// Displays asm diff for the given @data-address value. // Displays asm diff for the given @data-address value.
class DiffRow extends window.HTMLElement { class DiffRow extends window.HTMLElement {
connectedCallback() { connectedCallback() {
@ -347,6 +530,10 @@ class DiffDisplayOptions extends window.HTMLElement {
margin-right: 10px; margin-right: 10px;
user-select: none; user-select: none;
} }
label, input {
cursor: pointer;
}
</style> </style>
<fieldset> <fieldset>
<legend>Address display:</legend> <legend>Address display:</legend>
@ -448,14 +635,12 @@ class DiffDisplay extends window.HTMLElement {
} }
} }
// Main application. class ListingOptions extends window.HTMLElement {
class ListingTable extends window.HTMLElement {
constructor() { constructor() {
super(); super();
// Redraw the table on any changes. // Register to receive updates
appState.onsort = () => this.sortRows(); appState.addListener(() => this.onUpdate());
appState.onfilter = () => this.filterRows();
const input = this.querySelector('input[type=search]'); const input = this.querySelector('input[type=search]');
input.oninput = evt => (appState.query = evt.target.value); input.oninput = evt => (appState.query = evt.target.value);
@ -468,15 +653,84 @@ class ListingTable extends window.HTMLElement {
hideStub.onchange = evt => (appState.hideStub = evt.target.checked); hideStub.onchange = evt => (appState.hideStub = evt.target.checked);
hideStub.checked = appState.hideStub; hideStub.checked = appState.hideStub;
const showRecomp = this.querySelector('input#cbShowRecomp');
showRecomp.onchange = evt => (appState.showRecomp = evt.target.checked);
showRecomp.checked = appState.showRecomp;
this.querySelector('button#pagePrev').addEventListener('click', evt => {
appState.page = appState.page - 1;
});
this.querySelector('button#pageNext').addEventListener('click', evt => {
appState.page = appState.page + 1;
});
this.querySelector('select#pageSelect').addEventListener('change', evt => {
appState.page = evt.target.value;
});
this.querySelectorAll('input[name=filterType]').forEach(radio => { this.querySelectorAll('input[name=filterType]').forEach(radio => {
const checked = appState.filterType === parseInt(radio.getAttribute('value')); const checked = appState.filterType === parseInt(radio.getAttribute('value'));
setBooleanAttribute(radio, 'checked', checked); setBooleanAttribute(radio, 'checked', checked);
radio.onchange = evt => (appState.filterType = radio.getAttribute('value')); radio.onchange = evt => (appState.filterType = radio.getAttribute('value'));
}); });
this.onUpdate();
} }
setRowExpand(address, shouldExpand) { onUpdate() {
// Update input placeholder based on search type
this.querySelector('input[type=search]').placeholder = appState.filterType === 1
? 'Search for offset or function name...'
: 'Search for instruction...';
// Update page number and max page
this.querySelector('fieldset#pageDisplay > legend').textContent = `Page ${appState.page + 1} of ${Math.max(1, appState.pageCount())}`;
// Disable prev/next buttons on first/last page
setBooleanAttribute(this.querySelector('button#pagePrev'), 'disabled', appState.page === 0);
setBooleanAttribute(this.querySelector('button#pageNext'), 'disabled', appState.page === appState.maxPage());
// Update page select dropdown
const pageSelect = this.querySelector('select#pageSelect');
setBooleanAttribute(pageSelect, 'disabled', appState.resultsCount() === 0);
pageSelect.innerHTML = '';
if (appState.resultsCount() === 0) {
const opt = document.createElement('option');
opt.textContent = '- no results -';
pageSelect.appendChild(opt);
} else {
for (const row of appState.pageHeadings()) {
const opt = document.createElement('option');
opt.value = row[0];
if (appState.page === row[0]) {
opt.setAttribute('selected', '');
}
const [start, end] = [row[1], row[2]];
opt.textContent = `${appState.sortCol}: ${start} to ${end}`;
pageSelect.appendChild(opt);
}
}
// Update row count
this.querySelector('#rowcount').textContent = `${appState.resultsCount()}`;
}
}
// Main application.
class ListingTable extends window.HTMLElement {
constructor() {
super();
// Register to receive updates
appState.addListener(() => this.somethingChanged());
}
setDiffRow(address, shouldExpand) {
const tbody = this.querySelector('tbody'); const tbody = this.querySelector('tbody');
const funcrow = tbody.querySelector(`func-row[data-address="${address}"]`); const funcrow = tbody.querySelector(`func-row[data-address="${address}"]`);
if (funcrow === null) { if (funcrow === null) {
@ -484,81 +738,66 @@ class ListingTable extends window.HTMLElement {
} }
const existing = tbody.querySelector(`diff-row[data-address="${address}"]`); const existing = tbody.querySelector(`diff-row[data-address="${address}"]`);
if (shouldExpand) { if (existing !== null) {
if (existing === null) { if (!shouldExpand) {
const diffrow = document.createElement('diff-row');
diffrow.address = address;
// Decide what goes inside the diff row.
const obj = getDataByAddr(address);
if ('stub' in obj) {
const msg = document.createElement('no-diff');
const p = document.createElement('div');
p.innerText = 'Stub. No diff.';
msg.appendChild(p);
diffrow.appendChild(msg);
} else if (obj.diff.length === 0) {
const msg = document.createElement('no-diff');
const p = document.createElement('div');
p.innerText = 'Identical function - no diff';
msg.appendChild(p);
diffrow.appendChild(msg);
} else {
const dd = new DiffDisplay();
dd.option = '1';
dd.address = address;
diffrow.appendChild(dd);
}
// Insert the diff row after the parent func row.
tbody.insertBefore(diffrow, funcrow.nextSibling);
}
} else {
if (existing !== null) {
tbody.removeChild(existing); tbody.removeChild(existing);
} }
return;
} }
const diffrow = document.createElement('diff-row');
diffrow.address = address;
// Decide what goes inside the diff row.
const obj = getDataByAddr(address);
if ('stub' in obj) {
const msg = document.createElement('no-diff');
const p = document.createElement('div');
p.innerText = 'Stub. No diff.';
msg.appendChild(p);
diffrow.appendChild(msg);
} else if (obj.diff.length === 0) {
const msg = document.createElement('no-diff');
const p = document.createElement('div');
p.innerText = 'Identical function - no diff';
msg.appendChild(p);
diffrow.appendChild(msg);
} else {
const dd = new DiffDisplay();
dd.option = '1';
dd.address = address;
diffrow.appendChild(dd);
}
// Insert the diff row after the parent func row.
tbody.insertBefore(diffrow, funcrow.nextSibling);
} }
connectedCallback() { connectedCallback() {
const thead = this.querySelector('thead'); const thead = this.querySelector('thead');
const headers = thead.querySelectorAll('th'); const headers = thead.querySelectorAll('th:not([data-no-sort])'); // TODO
headers.forEach(th => { headers.forEach(th => {
const col = th.getAttribute('data-col'); const col = th.getAttribute('data-col');
if (col) { if (col) {
th.onclick = evt => (appState.sortCol = col); const span = th.querySelector('span');
if (span) {
span.addEventListener('click', evt => { appState.sortCol = col; });
}
} }
}); });
const tbody = this.querySelector('tbody'); this.somethingChanged();
for (const obj of data) {
const row = document.createElement('func-row');
row.setAttribute('data-address', obj.address); // ?
const items = [
['address', obj.address],
['name', obj.name],
['matching', getMatchPercentText(obj)]
];
items.forEach(([slotName, content]) => {
const div = document.createElement('div');
div.setAttribute('slot', slotName);
div.innerText = content;
row.appendChild(div);
});
row.onchangeExpand = shouldExpand => this.setRowExpand(obj.address, shouldExpand);
tbody.appendChild(row);
}
this.sortRows();
this.filterRows();
} }
sortRows() { somethingChanged() {
// Toggle recomp/diffs column
setBooleanAttribute(this.querySelector('table'), 'show-recomp', appState.showRecomp);
this.querySelectorAll('func-row[data-address]').forEach(row => {
setBooleanAttribute(row, 'show-recomp', appState.showRecomp);
});
const thead = this.querySelector('thead'); const thead = this.querySelector('thead');
const headers = thead.querySelectorAll('th'); const headers = thead.querySelectorAll('th');
@ -566,6 +805,10 @@ class ListingTable extends window.HTMLElement {
headers.forEach(th => { headers.forEach(th => {
const col = th.getAttribute('data-col'); const col = th.getAttribute('data-col');
const indicator = th.querySelector('sort-indicator'); const indicator = th.querySelector('sort-indicator');
if (indicator === null) {
return;
}
if (appState.sortCol === col) { if (appState.sortCol === col) {
indicator.setAttribute('data-sort', appState.sortDesc ? 'desc' : 'asc'); indicator.setAttribute('data-sort', appState.sortDesc ? 'desc' : 'asc');
} else { } else {
@ -573,50 +816,52 @@ class ListingTable extends window.HTMLElement {
} }
}); });
// Select only the function rows and the diff child row. // Add the rows
// Exclude any nested tables used to *display* the diffs.
const tbody = this.querySelector('tbody'); const tbody = this.querySelector('tbody');
const rows = tbody.querySelectorAll('func-row[data-address], diff-row[data-address]'); tbody.innerHTML = ''; // ?
// Sort all rows according to chosen order for (const obj of appState.pageSlice()) {
const newRows = Array.from(rows); const row = document.createElement('func-row');
newRows.sort((rowA, rowB) => { row.setAttribute('data-address', obj.address); // ?
const addrA = rowA.getAttribute('data-address'); row.addEventListener('name-click', evt => {
const addrB = rowB.getAttribute('data-address'); appState.toggleExpanded(obj.address);
this.setDiffRow(obj.address, appState.isExpanded(obj.address));
});
setBooleanAttribute(row, 'show-recomp', appState.showRecomp);
setBooleanAttribute(row, 'expanded', appState.isExpanded(row));
// Diff row always sorts after its parent row const items = [
if (addrA === addrB && rowB.className === 'diffRow') { ['address', obj.address],
return -1; ['recomp', obj.recomp],
['name', obj.name],
['diffs', countDiffs(obj)],
['matching', getMatchPercentText(obj)]
];
items.forEach(([slotName, content]) => {
const div = document.createElement('span');
div.setAttribute('slot', slotName);
div.innerText = content;
row.appendChild(div);
});
tbody.appendChild(row);
if (appState.isExpanded(obj.address)) {
this.setDiffRow(obj.address, true);
} }
}
return rowSortOrder(addrA, addrB);
});
// Replace existing rows with updated order
newRows.forEach(row => tbody.appendChild(row));
}
filterRows() {
const tbody = this.querySelector('tbody');
const rows = tbody.querySelectorAll('func-row[data-address], diff-row[data-address]');
rows.forEach(row => {
const addr = row.getAttribute('data-address');
const hidden = !addrShouldAppear(addr);
setBooleanAttribute(row, 'hidden', hidden);
});
// Update row count
this.querySelector('#rowcount').textContent = `${tbody.querySelectorAll('func-row:not([hidden])').length}`;
} }
} }
window.onload = () => { window.onload = () => {
window.customElements.define('listing-table', ListingTable); window.customElements.define('listing-table', ListingTable);
window.customElements.define('listing-options', ListingOptions);
window.customElements.define('diff-display', DiffDisplay); window.customElements.define('diff-display', DiffDisplay);
window.customElements.define('diff-display-options', DiffDisplayOptions); window.customElements.define('diff-display-options', DiffDisplayOptions);
window.customElements.define('sort-indicator', SortIndicator); window.customElements.define('sort-indicator', SortIndicator);
window.customElements.define('func-row', FuncRow); window.customElements.define('func-row', FuncRow);
window.customElements.define('diff-row', DiffRow); window.customElements.define('diff-row', DiffRow);
window.customElements.define('no-diff', NoDiffMessage); window.customElements.define('no-diff', NoDiffMessage);
window.customElements.define('can-copy', CanCopy);
}; };

View file

@ -51,10 +51,41 @@
background: #383838; background: #383838;
} }
#listing > thead th { table#listing {
border: 1px #f0f0f0 solid; border: 1px #f0f0f0 solid;
}
#listing > thead th {
padding: 0.5em; padding: 0.5em;
word-break: break-all !important; user-select: none;
width: 10%;
text-align: left;
}
#listing:not([show-recomp]) > thead th[data-col="recomp"] {
display: none;
}
#listing > thead th > div {
display: flex;
column-gap: 0.5em;
}
#listing > thead th > div > span {
cursor: pointer;
}
#listing > thead th > div > span:hover {
text-decoration: underline;
text-decoration-style: dotted;
}
#listing > thead th:last-child > div {
justify-content: right;
}
#listing > thead th[data-col="name"] {
width: 60%;
} }
.diffneg { .diffneg {
@ -75,7 +106,7 @@
} }
sort-indicator { sort-indicator {
margin: 0 0.5em; user-select: none;
} }
.filters { .filters {
@ -92,6 +123,10 @@
display: flex; display: flex;
} }
.filters > fieldset > input, .filters > fieldset > label {
cursor: pointer;
}
.filters > fieldset > label { .filters > fieldset > label {
margin-right: 10px; margin-right: 10px;
} }
@ -127,6 +162,23 @@
label { label {
user-select: none; user-select: none;
} }
#pageDisplay > button {
cursor: pointer;
padding: 0.25em 0.5em;
}
#pageDisplay select {
cursor: pointer;
padding: 0.25em;
margin: 0 0.5em;
}
p.rowcount {
align-self: flex-end;
font-size: 1.2em;
margin-bottom: 0;
}
</style> </style>
<script>var data = {{{data}}};</script> <script>var data = {{{data}}};</script>
<script>{{{reccmp_js}}}</script> <script>{{{reccmp_js}}}</script>
@ -135,7 +187,7 @@
<body> <body>
<div class="main"> <div class="main">
<h1>Decompilation Status</h1> <h1>Decompilation Status</h1>
<listing-table> <listing-options>
<input id="search" type="search" placeholder="Search for offset or function name..."> <input id="search" type="search" placeholder="Search for offset or function name...">
<div class="filters"> <div class="filters">
<fieldset> <fieldset>
@ -144,6 +196,8 @@ <h1>Decompilation Status</h1>
<label for="cbHidePerfect">Hide 100% match</label> <label for="cbHidePerfect">Hide 100% match</label>
<input type="checkbox" id="cbHideStub" /> <input type="checkbox" id="cbHideStub" />
<label for="cbHideStub">Hide stubs</label> <label for="cbHideStub">Hide stubs</label>
<input type="checkbox" id="cbShowRecomp" />
<label for="cbShowRecomp">Show recomp address</label>
</fieldset> </fieldset>
<fieldset> <fieldset>
<legend>Search filters on:</legend> <legend>Search filters on:</legend>
@ -155,13 +209,46 @@ <h1>Decompilation Status</h1>
<label for="filterDiff">Asm diffs only</label> <label for="filterDiff">Asm diffs only</label>
</fieldset> </fieldset>
</div> </div>
<p>Results: <span id="rowcount"></span></p> <div class="filters">
<p class="rowcount">Results: <span id="rowcount"></span></p>
<fieldset id="pageDisplay">
<legend>Page</legend>
<button id="pagePrev">prev</button>
<select id="pageSelect">
</select>
<button id="pageNext">next</button>
</fieldset>
</div>
</listing-options>
<listing-table>
<table id="listing"> <table id="listing">
<thead> <thead>
<tr> <tr>
<th data-col="address" style="width: 20%">Address<sort-indicator/></th> <th data-col="address">
<th data-col="name" style="width: 60%">Name<sort-indicator/></th> <div>
<th data-col="matching" style="width: 20%">Matching<sort-indicator/></th> <span>Address</span>
<sort-indicator/>
</div>
</th>
<th data-col="recomp">
<div>
<span>Recomp</span>
<sort-indicator/>
</div>
</th>
<th data-col="name">
<div>
<span>Name</span>
<sort-indicator/>
</div>
</th>
<th data-col="diffs" data-no-sort></th>
<th data-col="matching">
<div>
<sort-indicator></sort-indicator>
<span>Matching</span>
</div>
</th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
@ -173,19 +260,41 @@ <h1>Decompilation Status</h1>
<style> <style>
:host(:not([hidden])) { :host(:not([hidden])) {
display: table-row; display: table-row;
contain: paint;
} }
::slotted(*) { :host(:not([show-recomp])) > div[data-col="recomp"] {
border: 1px #f0f0f0 solid; display: none;
}
div[data-col="name"]:hover {
cursor: pointer;
}
div[data-col="name"]:hover > ::slotted(*) {
text-decoration: underline;
text-decoration-style: dotted;
}
::slotted(*:not([slot="name"])) {
white-space: nowrap;
}
:host > div {
border-top: 1px #f0f0f0 solid;
display: table-cell; display: table-cell;
padding: 0.5em; padding: 0.5em;
word-break: break-all !important; word-break: break-all !important;
} }
:host > div:last-child {
text-align: right;
}
</style> </style>
<slot name="address"></slot> <div data-col="address"><can-copy><slot name="address"></slot></can-copy></div>
<slot name="name"></slot> <div data-col="recomp"><can-copy><slot name="recomp"></slot></can-copy></div>
<slot name="matching"></slot> <div data-col="name"><slot name="name"></slot></div>
<div data-col="diffs"><slot name="diffs"></slot></div>
<div data-col="matching"><slot name="matching"></slot></div>
</template> </template>
<template id="diffrow-template"> <template id="diffrow-template">
<style> <style>
@ -196,12 +305,13 @@ <h1>Decompilation Status</h1>
td.singleCell { td.singleCell {
border: 1px #f0f0f0 solid; border: 1px #f0f0f0 solid;
border-bottom: 0px none;
display: table-cell; display: table-cell;
padding: 0.5em; padding: 0.5em;
word-break: break-all !important; word-break: break-all !important;
} }
</style> </style>
<td class="singleCell" colspan="3"> <td class="singleCell" colspan="5">
<slot></slot> <slot></slot>
</td> </td>
</template> </template>
@ -214,5 +324,42 @@ <h1>Decompilation Status</h1>
</style> </style>
<slot></slot> <slot></slot>
</template> </template>
<template id="can-copy-template">
<style>
:host {
position: relative;
}
::slotted(*) {
cursor: pointer;
}
slot::after {
background-color: #fff;
color: #222;
display: none;
font-size: 12px;
padding: 1px 2px;
width: fit-content;
border-radius: 1px;
text-align: center;
bottom: 120%;
box-shadow: 0 4px 14px 0 rgba(0,0,0,.2), 0 0 0 1px rgba(0,0,0,.05);
position: absolute;
white-space: nowrap;
transition: .1s;
content: 'Copy to clipboard';
}
::slotted(*:hover) {
text-decoration: underline;
text-decoration-style: dotted;
}
slot:hover::after {
display: block;
}
:host([copied]) > slot:hover::after {
content: 'Copied!';
}
</style>
<slot></slot>
</template>
</body> </body>
</html> </html>