oh my, searching actually works
This commit is contained in:
@@ -121,6 +121,8 @@ class Partnerexpo_Core {
|
|||||||
*/
|
*/
|
||||||
require_once plugin_dir_path( dirname( __FILE__ ) ) . 'public/class-partnerexpo-core-public.php';
|
require_once plugin_dir_path( dirname( __FILE__ ) ) . 'public/class-partnerexpo-core-public.php';
|
||||||
|
|
||||||
|
require_once plugin_dir_path( dirname( __FILE__ ) ) . 'includes/dependency/class-query-w-relevance.php';
|
||||||
|
|
||||||
$this->loader = new Partnerexpo_Core_Loader();
|
$this->loader = new Partnerexpo_Core_Loader();
|
||||||
|
|
||||||
}
|
}
|
||||||
@@ -167,8 +169,8 @@ class Partnerexpo_Core {
|
|||||||
private function define_public_hooks() {
|
private function define_public_hooks() {
|
||||||
$plugin_public = new Partnerexpo_Core_Public( $this->get_plugin_name(), $this->get_version() );
|
$plugin_public = new Partnerexpo_Core_Public( $this->get_plugin_name(), $this->get_version() );
|
||||||
|
|
||||||
$this->loader->add_action( 'wp_enqueue_scripts', $plugin_public, 'enqueue_styles' );
|
$this->loader->add_action( 'wp_enqueue_scripts', $plugin_public, 'register_styles' );
|
||||||
$this->loader->add_action( 'wp_enqueue_scripts', $plugin_public, 'enqueue_scripts' );
|
$this->loader->add_action( 'wp_enqueue_scripts', $plugin_public, 'register_scripts' );
|
||||||
$this->loader->add_action( 'rest_api_init', $plugin_public, 'register_endpoint' );
|
$this->loader->add_action( 'rest_api_init', $plugin_public, 'register_endpoint' );
|
||||||
$this->loader->add_action( 'init', $this, 'define_cpts' );
|
$this->loader->add_action( 'init', $this, 'define_cpts' );
|
||||||
$this->loader->add_action( 'init', $this, 'define_taxonomies' );
|
$this->loader->add_action( 'init', $this, 'define_taxonomies' );
|
||||||
|
|||||||
130
includes/dependency/class-query-w-relevance.php
Normal file
130
includes/dependency/class-query-w-relevance.php
Normal file
@@ -0,0 +1,130 @@
|
|||||||
|
<?php
|
||||||
|
//
|
||||||
|
// a WP_Query subclass which adds a Relevance score and sorts by it
|
||||||
|
// https://github.com/GreenInfo-Network/WP_Query_WithRelevance
|
||||||
|
//
|
||||||
|
if (! defined( 'WPINC')) die;
|
||||||
|
|
||||||
|
class WP_Query_WithRelevance extends WP_Query {
|
||||||
|
//
|
||||||
|
// search field DEFAULT weights
|
||||||
|
// the $args passed to this Query may/should specify weightings for specific taxonomies, meta keys, etc.
|
||||||
|
// but these act as defaults
|
||||||
|
//
|
||||||
|
var $DEFAULT_WEIGHTING_TITLE_KEYWORD = 1.0;
|
||||||
|
var $DEFAULT_WEIGHTING_CONTENT_KEYWORD = 0.25;
|
||||||
|
var $DEFAULT_WEIGHTING_TAXONOMY_RATIO = 10.0;
|
||||||
|
|
||||||
|
//
|
||||||
|
// constructor
|
||||||
|
// performs a standard WP_Query but then postprocesses to add relevance, then sort by that relevance
|
||||||
|
//
|
||||||
|
public function __construct($args = array()) {
|
||||||
|
// stow and unset the orderby param
|
||||||
|
// cuz it's not a real DB field that can be used
|
||||||
|
if ($args['orderby'] === 'relevance') {
|
||||||
|
$this->orderby = $args['orderby'];
|
||||||
|
$this->order = 'DESC';
|
||||||
|
unset($args['orderby']);
|
||||||
|
unset($args['order']);
|
||||||
|
}
|
||||||
|
|
||||||
|
// perform a typical WP_Query
|
||||||
|
// then if we weren't using a relevance sorting, we're actually done
|
||||||
|
$this->process_args($args);
|
||||||
|
parent::__construct($args);
|
||||||
|
if (! $this->orderby) return;
|
||||||
|
|
||||||
|
// okay, we're doing relevance postprocessing
|
||||||
|
$this->initialize_relevance_scores();
|
||||||
|
$this->score_keyword_relevance();
|
||||||
|
$this->score_taxonomy_relevance();
|
||||||
|
$this->orderby_relevance();
|
||||||
|
|
||||||
|
// debugging; you can display this at any time to just dump the list of results
|
||||||
|
//$this->display_results_so_far();
|
||||||
|
}
|
||||||
|
|
||||||
|
// initializing all posts' relevance scores to 0
|
||||||
|
private function initialize_relevance_scores() {
|
||||||
|
foreach ($this->posts as $post) {
|
||||||
|
$post->relevance = 0;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private function score_keyword_relevance() {
|
||||||
|
if (! $this->query_vars['s']) return; // no keyword string = this is a noop
|
||||||
|
|
||||||
|
$weight_title = @$this->query_vars['relevance_scoring']['title_keyword'];
|
||||||
|
$weight_content = @$this->query_vars['relevance_scoring']['content_keyword'];
|
||||||
|
if ($weight_title == NULL) $weight_title = $this->DEFAULT_WEIGHTING_TITLE_KEYWORD;
|
||||||
|
if ($weight_content == NULL) $weight_content = $this->DEFAULT_WEIGHTING_CONTENT_KEYWORD;
|
||||||
|
// print "score_keyword_relevance() Title keyword weight {$weight_title}\n";
|
||||||
|
// print "score_keyword_relevance() Content keyword weight {$weight_content}\n";
|
||||||
|
|
||||||
|
$words = strtoupper(trim($this->query_vars['s']));
|
||||||
|
$words = preg_split('/\s+/', $words);
|
||||||
|
|
||||||
|
foreach ($this->posts as $post) {
|
||||||
|
$title = strtoupper($post->post_title);
|
||||||
|
$content = strtoupper($post->post_content);
|
||||||
|
|
||||||
|
foreach ($words as $thisword) {
|
||||||
|
$post->relevance += substr_count($title, $thisword) * $weight_title;
|
||||||
|
$post->relevance += substr_count($content, $thisword) * $weight_content;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private function score_taxonomy_relevance() {
|
||||||
|
if (!isset($this->query_vars['tax_query']) || !is_array($this->query_vars['tax_query'])) return; // no taxo query = skip it
|
||||||
|
|
||||||
|
// taxonomy relevance is only calculated for IN-list operations
|
||||||
|
// for other types of queries, all posts match that value and further scoring would be pointless
|
||||||
|
|
||||||
|
// go over each taxo and each post
|
||||||
|
// increase the post relevance, based on number of terms it has in common with the terms we asked about
|
||||||
|
// this is done one taxo at a time, so we can match terms by ID, by slug, or by name ... and so we can apply individual weighting by that taxo
|
||||||
|
foreach ($this->query_vars['tax_query'] as $taxo) {
|
||||||
|
if (strtoupper($taxo['operator']) !== 'IN' or ! is_array($taxo['terms'])) continue; // not a IN-list query, so relevance scoring is not useful for this taxo
|
||||||
|
|
||||||
|
$taxoslug = $taxo['taxonomy'];
|
||||||
|
$whichfield = $taxo['field'];
|
||||||
|
$wantterms = $taxo['terms'];
|
||||||
|
|
||||||
|
$taxo_weighting = @$this->query_vars['relevance_scoring']['tax_query'][$taxoslug];
|
||||||
|
if ($taxo_weighting === NULL) $taxo_weighting = $this->DEFAULT_WEIGHTING_TAXONOMY_RATIO;
|
||||||
|
// print "score_taxonomy_relevance() Taxo {$taxoslug} weight {$taxo_weighting}\n";
|
||||||
|
|
||||||
|
foreach ($this->posts as $post) {
|
||||||
|
// find number of terms in common between this post and this taxo's list
|
||||||
|
$terms_in_common = 0;
|
||||||
|
$thispostterms = get_the_terms($post->ID, $taxo['taxonomy']);
|
||||||
|
|
||||||
|
foreach ($thispostterms as $hasthisterm) {
|
||||||
|
if (in_array($hasthisterm->{$whichfield}, $wantterms)) $terms_in_common += 1;
|
||||||
|
}
|
||||||
|
|
||||||
|
// express that terms-in-common as a percentage, and add to this post's relevance score
|
||||||
|
$ratio = (float) $terms_in_common / sizeof($wantterms);
|
||||||
|
$post->relevance += ($ratio * $ratio * $taxo_weighting);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private function orderby_relevance() {
|
||||||
|
usort($this->posts, array($this, 'usort_sorting'));
|
||||||
|
}
|
||||||
|
|
||||||
|
private function display_results_so_far () { // for debugging
|
||||||
|
foreach ($this->posts as $post) {
|
||||||
|
printf('%d %s = %.1f' . "\n", $post->ID, $post->post_title, $post->relevance) . "\n";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private function usort_sorting ($p, $q) {
|
||||||
|
// we force DESC and only trigger if orderby==='relevance' so we can keep this simple
|
||||||
|
if ($p->relevance == $q->relevance) return 0;
|
||||||
|
return $p->relevance > $q->relevance ? -1 : 1;
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -79,6 +79,28 @@ class Partnerexpo_Core_Public {
|
|||||||
'pexpo_tags' => $params['tags'] ?? '',
|
'pexpo_tags' => $params['tags'] ?? '',
|
||||||
];
|
];
|
||||||
|
|
||||||
|
if ( ! empty( $params['tags'] ) ) {
|
||||||
|
$tag_string = $params['tags'];
|
||||||
|
$operator = 'IN';
|
||||||
|
$delimiter = ',';
|
||||||
|
|
||||||
|
if ( strpos( $tag_string, '+' ) !== false ) {
|
||||||
|
$operator = 'AND';
|
||||||
|
$delimiter = '+';
|
||||||
|
}
|
||||||
|
|
||||||
|
$tag_slugs = explode( $delimiter, $tag_string );
|
||||||
|
|
||||||
|
$args['tax_query'] = [
|
||||||
|
[
|
||||||
|
'taxonomy' => 'pexpo_tags',
|
||||||
|
'field' => 'slug',
|
||||||
|
'terms' => $tag_slugs,
|
||||||
|
'operator' => $operator,
|
||||||
|
],
|
||||||
|
];
|
||||||
|
}
|
||||||
|
|
||||||
switch ($params['sort'] ?? 'relevance') {
|
switch ($params['sort'] ?? 'relevance') {
|
||||||
case 'date_asc':
|
case 'date_asc':
|
||||||
$args['orderby'] = 'date';
|
$args['orderby'] = 'date';
|
||||||
@@ -97,12 +119,13 @@ class Partnerexpo_Core_Public {
|
|||||||
$args['order'] = 'DESC';
|
$args['order'] = 'DESC';
|
||||||
break;
|
break;
|
||||||
case 'relevance':
|
case 'relevance':
|
||||||
|
$args['orderby'] = 'relevance';
|
||||||
|
break;
|
||||||
default:
|
default:
|
||||||
// Default WordPress search sorting
|
|
||||||
break;
|
break;
|
||||||
}
|
}
|
||||||
|
|
||||||
$query = new WP_Query($args);
|
$query = new WP_Query_WithRelevance($args);
|
||||||
|
|
||||||
$posts = [];
|
$posts = [];
|
||||||
|
|
||||||
|
|||||||
@@ -2,6 +2,9 @@
|
|||||||
--accent1: #950000;
|
--accent1: #950000;
|
||||||
--accent2: #2c3489;
|
--accent2: #2c3489;
|
||||||
|
|
||||||
|
--darker: 30%;
|
||||||
|
--lighter: 40%;
|
||||||
|
|
||||||
--bg: #f6f7fb;
|
--bg: #f6f7fb;
|
||||||
--panel: #ffffff;
|
--panel: #ffffff;
|
||||||
--panel2: #f2f4fb;
|
--panel2: #f2f4fb;
|
||||||
@@ -20,9 +23,9 @@
|
|||||||
|
|
||||||
--filterW: 170px;
|
--filterW: 170px;
|
||||||
--filterWOpen: 360px;
|
--filterWOpen: 360px;
|
||||||
|
--toggle-bg-off: #ca0000;
|
||||||
--toggle-bg-color: #4281A4;
|
--toggle-bg-on: #10bb2d;
|
||||||
--toggle-nub-color: #FF686B;
|
--toggle-nub-color: #f6f7fb;
|
||||||
|
|
||||||
--topbarH: 64px;
|
--topbarH: 64px;
|
||||||
|
|
||||||
@@ -272,6 +275,8 @@
|
|||||||
flex-wrap: wrap;
|
flex-wrap: wrap;
|
||||||
gap: 6px;
|
gap: 6px;
|
||||||
row-gap: 6px;
|
row-gap: 6px;
|
||||||
|
padding-right: 3px;
|
||||||
|
max-width: 170px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.pexpo-core-tag {
|
.pexpo-core-tag {
|
||||||
@@ -281,7 +286,11 @@
|
|||||||
border: 1px solid #333333ce;
|
border: 1px solid #333333ce;
|
||||||
color: var(--text);
|
color: var(--text);
|
||||||
background: #99999930;
|
background: #99999930;
|
||||||
white-space:nowrap;
|
white-space: wrap;
|
||||||
|
word-wrap: break-word;
|
||||||
|
hyphens: auto;
|
||||||
|
overflow: hidden;
|
||||||
|
max-width: 100%;
|
||||||
}
|
}
|
||||||
|
|
||||||
.pexpo-core-desc {
|
.pexpo-core-desc {
|
||||||
@@ -363,7 +372,7 @@
|
|||||||
.pexpo-core-filterPanelHeader {
|
.pexpo-core-filterPanelHeader {
|
||||||
display:flex;
|
display:flex;
|
||||||
align-items:center;
|
align-items:center;
|
||||||
justify-content:space-between;
|
justify-content:center;
|
||||||
padding: 10px 10px;
|
padding: 10px 10px;
|
||||||
border-bottom: 1px solid var(--stroke);
|
border-bottom: 1px solid var(--stroke);
|
||||||
color: rgba(16,24,40,.60);
|
color: rgba(16,24,40,.60);
|
||||||
@@ -377,7 +386,7 @@
|
|||||||
padding: 10px;
|
padding: 10px;
|
||||||
flex-direction: column;
|
flex-direction: column;
|
||||||
overflow:auto;
|
overflow:auto;
|
||||||
min-height: 0;
|
height: 100%;
|
||||||
gap: 10px;
|
gap: 10px;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -435,6 +444,17 @@
|
|||||||
left: 27px;
|
left: 27px;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#pexpo-core-filterApply {
|
||||||
|
margin-top: 10px;
|
||||||
|
padding: 8px 12px;
|
||||||
|
border-radius: 10px;
|
||||||
|
border: none;
|
||||||
|
background: var(--accent1);
|
||||||
|
color: #fff;
|
||||||
|
font-weight: 600;
|
||||||
|
cursor: pointer;
|
||||||
|
}
|
||||||
|
|
||||||
/* .pexpo-core-textarea {
|
/* .pexpo-core-textarea {
|
||||||
width: 100%;
|
width: 100%;
|
||||||
height: 210px;
|
height: 210px;
|
||||||
@@ -456,6 +476,12 @@
|
|||||||
box-shadow: 0 0 0 3px rgba(44,52,137,.14);
|
box-shadow: 0 0 0 3px rgba(44,52,137,.14);
|
||||||
} */
|
} */
|
||||||
|
|
||||||
|
#pexpo-core-emptyResult {
|
||||||
|
padding:20px;
|
||||||
|
color:var(--text);
|
||||||
|
display:none;
|
||||||
|
}
|
||||||
|
|
||||||
.pexpo-core-hint {
|
.pexpo-core-hint {
|
||||||
margin-top: 8px;
|
margin-top: 8px;
|
||||||
color: rgba(16,24,40,.60);
|
color: rgba(16,24,40,.60);
|
||||||
|
|||||||
@@ -1,62 +1,44 @@
|
|||||||
document.addEventListener('DOMContentLoaded', () => {
|
document.addEventListener('DOMContentLoaded', () => {
|
||||||
// ---------- DOM Elements ----------
|
// We instantiate the class when the DOM is ready
|
||||||
const shell = document.getElementById("pexpo-core-shell");
|
new PartnerExpoSearch();
|
||||||
const topbar = document.getElementById("pexpo-core-topbar");
|
});
|
||||||
|
|
||||||
const filterWrap = document.getElementById("pexpo-core-filterWrap");
|
class PartnerExpoSearch {
|
||||||
const filterBtn = document.getElementById("pexpo-core-filterBtn");
|
constructor() {
|
||||||
const filterDrawer = document.getElementById("pexpo-core-filterDrawer");
|
this.els = {
|
||||||
const drawerBackdrop = document.getElementById("pexpo-core-drawerBackdrop");
|
shell: document.getElementById("pexpo-core-shell"),
|
||||||
|
topbar: document.getElementById("pexpo-core-topbar"),
|
||||||
|
filterWrap: document.getElementById("pexpo-core-filterWrap"),
|
||||||
|
filterBtn: document.getElementById("pexpo-core-filterBtn"),
|
||||||
|
filterDrawer: document.getElementById("pexpo-core-filterDrawer"),
|
||||||
|
drawerBackdrop: document.getElementById("pexpo-core-drawerBackdrop"),
|
||||||
|
filterFTag: document.getElementById("pexpo-core-tag-toggle"),
|
||||||
|
filterTags: document.getElementById("pexpo-core-tags"),
|
||||||
|
qInput: document.getElementById("pexpo-core-q"),
|
||||||
|
masonry: document.getElementById("pexpo-core-masonry"),
|
||||||
|
measure: document.getElementById("pexpo-core-measure"),
|
||||||
|
emptyResult: document.getElementById("pexpo-core-emptyResult"),
|
||||||
|
count: document.getElementById("pexpo-core-count"),
|
||||||
|
layoutMeta: document.getElementById("pexpo-core-layoutMeta"),
|
||||||
|
sortSelect: document.getElementById("pexpo-core-sortSelect"),
|
||||||
|
filterApply: document.getElementById("pexpo-core-filterApply"),
|
||||||
|
};
|
||||||
|
|
||||||
// const filterBody = document.getElementById("pexpo-core-filterBody");
|
this.state = {
|
||||||
// const filterLabel = document.getElementById("pexpo-core-filterLabel");
|
filters: {
|
||||||
const filterFTag = document.getElementById("pexpo-core-tag-toggle");
|
|
||||||
const filterTags = document.getElementById("pexpo-core-tags");
|
|
||||||
|
|
||||||
const qInput = document.getElementById("pexpo-core-q");
|
|
||||||
const masonry = document.getElementById("pexpo-core-masonry");
|
|
||||||
const measure = document.getElementById("pexpo-core-measure");
|
|
||||||
|
|
||||||
const count = document.getElementById("pexpo-core-count");
|
|
||||||
const layoutMeta = document.getElementById("pexpo-core-layoutMeta");
|
|
||||||
const sortSelect = document.getElementById("pexpo-core-sortSelect");
|
|
||||||
|
|
||||||
// ---------- State ----------
|
|
||||||
let filters = {
|
|
||||||
q: "",
|
q: "",
|
||||||
sort: "relevance",
|
sort: "relevance",
|
||||||
force_tags: false,
|
force_tags: false,
|
||||||
tags: [],
|
tags: [],
|
||||||
resultsPerPage: 20,
|
resultsPerPage: 20,
|
||||||
page: 1,
|
page: 1,
|
||||||
|
},
|
||||||
|
activeSortKey: "relevance",
|
||||||
|
results: [],
|
||||||
|
layoutQueued: false
|
||||||
};
|
};
|
||||||
|
|
||||||
let activeSortKey = "relevance";
|
this.SORTS = {
|
||||||
let results = [];
|
|
||||||
|
|
||||||
// ---------- Initialize MultiSelect Library ----------
|
|
||||||
if (typeof MultiSelect !== 'undefined') {
|
|
||||||
new MultiSelect(filterTags, {
|
|
||||||
// max: 20,
|
|
||||||
search: true,
|
|
||||||
selectAll: false,
|
|
||||||
onSelect: function(value) {
|
|
||||||
if (!filters.tags.includes(value)) {
|
|
||||||
filters.tags.push(value);
|
|
||||||
}
|
|
||||||
console.log('Updated filters.tags:', filters.tags);
|
|
||||||
},
|
|
||||||
onUnselect: function(value) {
|
|
||||||
filters.tags = filters.tags.filter(tag => tag !== value);
|
|
||||||
console.log('Updated filters.tags:', filters.tags);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
} else {
|
|
||||||
console.warn("MultiSelect library not found. Filters will not work without it.");
|
|
||||||
}
|
|
||||||
|
|
||||||
// ---------- Sort Definitions ----------
|
|
||||||
const SORTS = {
|
|
||||||
relevance: "Relevánsság (legjobb → legrosszabb)",
|
relevance: "Relevánsság (legjobb → legrosszabb)",
|
||||||
date_desc: "Dátum (új → régi)",
|
date_desc: "Dátum (új → régi)",
|
||||||
date_asc: "Dátum (régi → új)",
|
date_asc: "Dátum (régi → új)",
|
||||||
@@ -64,277 +46,321 @@ document.addEventListener('DOMContentLoaded', () => {
|
|||||||
title_desc: "Cím (Z → A)",
|
title_desc: "Cím (Z → A)",
|
||||||
};
|
};
|
||||||
|
|
||||||
// ---------- Helpers ----------
|
if (this.els.shell) {
|
||||||
function escapeHtml(str) {
|
this.init();
|
||||||
return String(str).replace(/[&<>"']/g, s => ({
|
|
||||||
"&": "&", "<": "<", ">": ">", '"': """, "'": "'"
|
|
||||||
}[s]));
|
|
||||||
}
|
|
||||||
|
|
||||||
function encodeDataToURL(data) {
|
|
||||||
return Object
|
|
||||||
.keys(data)
|
|
||||||
.map(value => `${value}=${encodeURIComponent(data[value])}`)
|
|
||||||
.join('&');
|
|
||||||
}
|
|
||||||
|
|
||||||
function cardEl(r) {
|
|
||||||
const div = document.createElement("div");
|
|
||||||
div.className = "pexpo-core-card";
|
|
||||||
div.innerHTML = `
|
|
||||||
<div class="pexpo-core-imageWrap">
|
|
||||||
<img src="${escapeHtml(r.image || '')}"
|
|
||||||
alt="${escapeHtml(r.title)}"
|
|
||||||
style="width:100%; border-radius:10px; object-fit:cover;" />
|
|
||||||
</div>
|
|
||||||
<div class="pexpo-core-cardTop">
|
|
||||||
<a href="${escapeHtml(r.url)}" class="pexpo-core-title">${escapeHtml(r.title)}</a>
|
|
||||||
</div>
|
|
||||||
<div class="pexpo-core-desc">${escapeHtml(r.excerpt)}</div>
|
|
||||||
<div class="pexpo-core-foot">
|
|
||||||
<div class="pexpo-core-tags">
|
|
||||||
${
|
|
||||||
r.tag != null
|
|
||||||
? r.tag.map(element => `<span class="pexpo-core-tag">${escapeHtml(element)}</span>`).join('')
|
|
||||||
: ''
|
|
||||||
}
|
|
||||||
</div>
|
|
||||||
<div>${escapeHtml(r.date)}</div>
|
|
||||||
</div>
|
|
||||||
`;
|
|
||||||
return div;
|
|
||||||
}
|
|
||||||
|
|
||||||
// ---------- Ajax Function ----------
|
|
||||||
async function fetchData() {
|
|
||||||
// 1. Show loading state if needed
|
|
||||||
masonry.style.opacity = "0.5";
|
|
||||||
|
|
||||||
try {
|
|
||||||
const response = await fetch(`/wp-json/pexpo/v1/query?${encodeDataToURL(filters)}`);
|
|
||||||
const data = await response.json();
|
|
||||||
|
|
||||||
results = data;
|
|
||||||
|
|
||||||
requestLayout();
|
|
||||||
|
|
||||||
} catch (error) {
|
|
||||||
console.error("Search failed:", error);
|
|
||||||
masonry.innerHTML = `<div style="padding:20px; color:red;">Hiba történt a keresés során.</div>`;
|
|
||||||
} finally {
|
|
||||||
masonry.style.opacity = "1";
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// ---------- Layout & Masonry Logic ----------
|
init() {
|
||||||
const minCard = () => Number(getComputedStyle(document.documentElement).getPropertyValue("--cardMin")) || 240;
|
this.initMultiSelect();
|
||||||
const gap = () => Number(getComputedStyle(document.documentElement).getPropertyValue("--gap")) || 12;
|
this.initSortDropdown();
|
||||||
|
this.bindEvents();
|
||||||
|
this.syncTopbarHeight();
|
||||||
|
this.initResizeObserver();
|
||||||
|
|
||||||
let layoutQueued = false;
|
// Initial Fetch
|
||||||
function requestLayout() {
|
this.fetchData();
|
||||||
if (layoutQueued) return;
|
}
|
||||||
layoutQueued = true;
|
|
||||||
requestAnimationFrame(() => {
|
// ---------- Initialization Helpers ----------
|
||||||
layoutQueued = false;
|
|
||||||
applyMasonry();
|
initMultiSelect() {
|
||||||
|
if (typeof MultiSelect !== 'undefined') {
|
||||||
|
new MultiSelect(this.els.filterTags, {
|
||||||
|
placeholder: 'Címkék kiválasztása',
|
||||||
|
search: true,
|
||||||
|
selectAll: false,
|
||||||
|
onSelect: (value) => {
|
||||||
|
if (!this.state.filters.tags.includes(value)) {
|
||||||
|
this.state.filters.tags.push(value);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
onUnselect: (value) => {
|
||||||
|
this.state.filters.tags = this.state.filters.tags.filter(tag => tag !== value);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
console.warn("MultiSelect library not found.");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
initSortDropdown() {
|
||||||
|
if (!this.els.sortSelect) return;
|
||||||
|
this.els.sortSelect.innerHTML = Object.entries(this.SORTS)
|
||||||
|
.map(([k, label]) => `<option value="${this.escapeHtml(k)}">${this.escapeHtml(label)}</option>`)
|
||||||
|
.join("");
|
||||||
|
this.els.sortSelect.value = this.state.activeSortKey;
|
||||||
|
}
|
||||||
|
|
||||||
|
initResizeObserver() {
|
||||||
|
const ro = new ResizeObserver(() => {
|
||||||
|
this.syncTopbarHeight();
|
||||||
|
this.requestLayout();
|
||||||
|
});
|
||||||
|
ro.observe(this.els.shell);
|
||||||
|
ro.observe(this.els.masonry);
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---------- Event Binding ----------
|
||||||
|
|
||||||
|
bindEvents() {
|
||||||
|
// Sort
|
||||||
|
if (this.els.sortSelect) {
|
||||||
|
this.els.sortSelect.addEventListener("change", () => {
|
||||||
|
this.state.activeSortKey = this.els.sortSelect.value;
|
||||||
|
this.state.filters.sort = this.state.activeSortKey;
|
||||||
|
this.fetchData();
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
function getColumnCount() {
|
// Search
|
||||||
const w = masonry.clientWidth || masonry.getBoundingClientRect().width || 1;
|
this.els.qInput.addEventListener("keyup", (e) => {
|
||||||
const mc = minCard();
|
if (e.key === "Enter") {
|
||||||
const g = gap();
|
this.state.filters.q = this.els.qInput.value.trim();
|
||||||
|
this.fetchData();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// Tag Toggle
|
||||||
|
this.els.filterFTag.addEventListener("change", () => {
|
||||||
|
this.state.filters.force_tags = this.els.filterFTag.checked;
|
||||||
|
});
|
||||||
|
|
||||||
|
// Drawer Toggle
|
||||||
|
this.els.filterBtn.addEventListener("click", () => {
|
||||||
|
const isOpen = this.els.filterDrawer.classList.contains("pexpo-core-open");
|
||||||
|
this.setDrawerOpen(!isOpen);
|
||||||
|
});
|
||||||
|
|
||||||
|
this.els.filterApply.addEventListener("click", () => {
|
||||||
|
this.fetchData();
|
||||||
|
this.setDrawerOpen(false);
|
||||||
|
});
|
||||||
|
|
||||||
|
this.els.drawerBackdrop.addEventListener("click", () => this.setDrawerOpen(false));
|
||||||
|
|
||||||
|
document.addEventListener("keydown", (e) => {
|
||||||
|
if (e.key === "Escape" && this.els.filterDrawer.classList.contains("pexpo-core-open")) {
|
||||||
|
this.setDrawerOpen(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---------- Fetch ----------
|
||||||
|
|
||||||
|
async fetchData() {
|
||||||
|
this.els.masonry.style.opacity = "0.5";
|
||||||
|
|
||||||
|
try {
|
||||||
|
const queryString = this.encodeDataToURL(this.state.filters);
|
||||||
|
const response = await fetch(`/wp-json/pexpo/v1/query?${queryString}`);
|
||||||
|
const data = await response.json();
|
||||||
|
|
||||||
|
this.state.results = data;
|
||||||
|
this.requestLayout();
|
||||||
|
|
||||||
|
} catch (error) {
|
||||||
|
console.error("Search failed:", error);
|
||||||
|
this.els.masonry.innerHTML = `<div style="padding:20px; color:red;">Hiba történt a keresés során.</div>`;
|
||||||
|
} finally {
|
||||||
|
this.els.masonry.style.opacity = "1";
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---------- UI & Layout Methods ----------
|
||||||
|
|
||||||
|
setDrawerOpen(open) {
|
||||||
|
this.els.filterWrap.classList.toggle("pexpo-core-open", open);
|
||||||
|
this.els.filterBtn.setAttribute("aria-expanded", String(open));
|
||||||
|
|
||||||
|
this.els.filterDrawer.classList.toggle("pexpo-core-open", open);
|
||||||
|
this.els.filterDrawer.setAttribute("aria-hidden", String(!open));
|
||||||
|
|
||||||
|
this.els.drawerBackdrop.classList.toggle("pexpo-core-show", open);
|
||||||
|
this.els.shell.classList.toggle("pexpo-core-drawerOpen", open);
|
||||||
|
|
||||||
|
this.syncTopbarHeight();
|
||||||
|
}
|
||||||
|
|
||||||
|
syncTopbarHeight() {
|
||||||
|
const h = this.els.topbar.offsetHeight;
|
||||||
|
document.documentElement.style.setProperty("--topbarH", h + "px");
|
||||||
|
}
|
||||||
|
|
||||||
|
// ---------- Masonry Engine ----------
|
||||||
|
|
||||||
|
minCard() {
|
||||||
|
return Number(getComputedStyle(document.documentElement).getPropertyValue("--cardMin")) || 240;
|
||||||
|
}
|
||||||
|
|
||||||
|
gap() {
|
||||||
|
return Number(getComputedStyle(document.documentElement).getPropertyValue("--gap")) || 12;
|
||||||
|
}
|
||||||
|
|
||||||
|
requestLayout() {
|
||||||
|
if (this.state.layoutQueued) return;
|
||||||
|
this.state.layoutQueued = true;
|
||||||
|
requestAnimationFrame(() => {
|
||||||
|
this.state.layoutQueued = false;
|
||||||
|
this.applyMasonry();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
getColumnCount() {
|
||||||
|
const w = this.els.masonry.clientWidth || this.els.masonry.getBoundingClientRect().width || 1;
|
||||||
|
const mc = this.minCard();
|
||||||
|
const g = this.gap();
|
||||||
return Math.max(1, Math.floor((w + g) / (mc + g)));
|
return Math.max(1, Math.floor((w + g) / (mc + g)));
|
||||||
}
|
}
|
||||||
|
|
||||||
function measureCardHeights(cols, list) {
|
measureCardHeights(cols, list) {
|
||||||
const w = masonry.clientWidth || 1;
|
const w = this.els.masonry.clientWidth || 1;
|
||||||
const g = gap();
|
const g = this.gap();
|
||||||
const colW = Math.floor((w - (cols - 1) * g) / cols);
|
const colW = Math.floor((w - (cols - 1) * g) / cols);
|
||||||
measure.style.width = colW + "px";
|
|
||||||
measure.innerHTML = "";
|
this.els.measure.style.width = colW + "px";
|
||||||
|
this.els.measure.innerHTML = "";
|
||||||
|
|
||||||
const measured = list.map((r, idx) => {
|
const measured = list.map((r, idx) => {
|
||||||
const el = cardEl(r);
|
const el = this.createCardElement(r);
|
||||||
measure.appendChild(el);
|
this.els.measure.appendChild(el);
|
||||||
const h = el.offsetHeight;
|
const h = el.offsetHeight;
|
||||||
measure.removeChild(el);
|
this.els.measure.removeChild(el);
|
||||||
return { r, idx, h };
|
return { r, idx, h };
|
||||||
});
|
});
|
||||||
|
|
||||||
return { measured, colW };
|
return { measured, colW };
|
||||||
}
|
}
|
||||||
|
|
||||||
function packRankAware(measured, cols, K = 6) {
|
packStandard(measured, cols) {
|
||||||
|
// 1. Create an array to track the current height of each column
|
||||||
const colHeights = new Array(cols).fill(0);
|
const colHeights = new Array(cols).fill(0);
|
||||||
const placements = [];
|
|
||||||
const queue = measured.slice();
|
|
||||||
|
|
||||||
while (queue.length) {
|
// 2. Prepare the array to store where each item goes
|
||||||
// Find shortest column
|
const placements = [];
|
||||||
|
|
||||||
|
// 3. Loop through every item strictly in order
|
||||||
|
for (const item of measured) {
|
||||||
|
|
||||||
|
// 4. Find the column that is currently the shortest
|
||||||
let bestCol = 0;
|
let bestCol = 0;
|
||||||
for (let c = 1; c < cols; c++) {
|
for (let c = 1; c < cols; c++) {
|
||||||
if (colHeights[c] < colHeights[bestCol]) bestCol = c;
|
if (colHeights[c] < colHeights[bestCol]) {
|
||||||
|
bestCol = c;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Look at top K items, pick the one that fits best (tallest)
|
// 5. Place the item there
|
||||||
// or just the next one if you prefer strict ordering.
|
placements.push({ item: item, col: bestCol });
|
||||||
// Here we pick the tallest of the next K to fill gaps.
|
|
||||||
const lookN = Math.min(K, queue.length);
|
// 6. Update that column's height
|
||||||
let pick = 0;
|
colHeights[bestCol] += item.h + this.gap();
|
||||||
for (let i = 1; i < lookN; i++) {
|
|
||||||
if (queue[i].h > queue[pick].h) pick = i;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
const picked = queue.splice(pick, 1)[0];
|
|
||||||
placements.push({ item: picked, col: bestCol });
|
|
||||||
colHeights[bestCol] += picked.h + gap();
|
|
||||||
}
|
|
||||||
return placements;
|
return placements;
|
||||||
}
|
}
|
||||||
|
|
||||||
function applyMasonry() {
|
// packRankAware(measured, cols, K = 6) {
|
||||||
const n = results.length || 0;
|
// const colHeights = new Array(cols).fill(0);
|
||||||
count.textContent = n;
|
// const placements = [];
|
||||||
masonry.innerHTML = "";
|
// const queue = measured.slice();
|
||||||
|
|
||||||
const cols = getColumnCount();
|
// while (queue.length) {
|
||||||
|
// // Find shortest column
|
||||||
|
// let bestCol = 0;
|
||||||
|
// for (let c = 1; c < cols; c++) {
|
||||||
|
// if (colHeights[c] < colHeights[bestCol]) bestCol = c;
|
||||||
|
// }
|
||||||
|
|
||||||
// Create Columns with pexpo-core class
|
// const lookN = Math.min(K, queue.length);
|
||||||
|
// let pick = 0;
|
||||||
|
// for (let i = 1; i < lookN; i++) {
|
||||||
|
// if (queue[i].h > queue[pick].h) pick = i;
|
||||||
|
// }
|
||||||
|
|
||||||
|
// const picked = queue.splice(pick, 1)[0];
|
||||||
|
// placements.push({ item: picked, col: bestCol });
|
||||||
|
// colHeights[bestCol] += picked.h + this.gap();
|
||||||
|
// }
|
||||||
|
// return placements;
|
||||||
|
// }
|
||||||
|
|
||||||
|
applyMasonry() {
|
||||||
|
const n = this.state.results.length || 0;
|
||||||
|
this.els.count.textContent = n;
|
||||||
|
this.els.masonry.innerHTML = "";
|
||||||
|
|
||||||
|
if (n === 0) {
|
||||||
|
if(this.els.emptyResult) {
|
||||||
|
let emptyClone = this.els.emptyResult.cloneNode(true);
|
||||||
|
emptyClone.style.display = "block";
|
||||||
|
this.els.masonry.appendChild(emptyClone);
|
||||||
|
} else {
|
||||||
|
this.els.masonry.innerHTML = `<div style="padding:20px; color:#666;">Nincs találat.</div>`;
|
||||||
|
}
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const cols = this.getColumnCount();
|
||||||
const colEls = [];
|
const colEls = [];
|
||||||
|
|
||||||
|
// Create Columns
|
||||||
for (let c = 0; c < cols; c++) {
|
for (let c = 0; c < cols; c++) {
|
||||||
const col = document.createElement("div");
|
const col = document.createElement("div");
|
||||||
col.className = "pexpo-core-mCol";
|
col.className = "pexpo-core-mCol";
|
||||||
masonry.appendChild(col);
|
this.els.masonry.appendChild(col);
|
||||||
colEls.push(col);
|
colEls.push(col);
|
||||||
}
|
}
|
||||||
|
|
||||||
const sliced = results.slice();
|
const sliced = this.state.results.slice();
|
||||||
|
const { measured } = this.measureCardHeights(cols, sliced);
|
||||||
|
// const placements = this.packRankAware(measured, cols, 6);
|
||||||
|
const placements = this.packStandard(measured, cols);
|
||||||
|
|
||||||
// Measure & Pack
|
|
||||||
const { measured } = measureCardHeights(cols, sliced);
|
|
||||||
const placements = packRankAware(measured, cols, 6);
|
|
||||||
|
|
||||||
// Render
|
|
||||||
for (const p of placements) {
|
for (const p of placements) {
|
||||||
colEls[p.col].appendChild(cardEl(p.item.r));
|
colEls[p.col].appendChild(this.createCardElement(p.item.r));
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// layoutMeta.textContent = `${cols} oszlop • ${SORTS[activeSortKey]?.label || "Relevance"}`;
|
createCardElement(r) {
|
||||||
|
const div = document.createElement("div");
|
||||||
|
div.className = "pexpo-core-card";
|
||||||
|
div.innerHTML = `
|
||||||
|
<div class="pexpo-core-imageWrap">
|
||||||
|
<img src="${this.escapeHtml(r.image || '')}"
|
||||||
|
alt="${this.escapeHtml(r.title)}"
|
||||||
|
style="width:100%; border-radius:10px; object-fit:cover;" />
|
||||||
|
</div>
|
||||||
|
<div class="pexpo-core-cardTop">
|
||||||
|
<a href="${this.escapeHtml(r.url)}" class="pexpo-core-title">${this.escapeHtml(r.title)}</a>
|
||||||
|
</div>
|
||||||
|
<div class="pexpo-core-desc">${this.escapeHtml(r.excerpt)}</div>
|
||||||
|
<div class="pexpo-core-foot">
|
||||||
|
<div class="pexpo-core-tags">
|
||||||
|
${
|
||||||
|
Array.isArray(r.tag)
|
||||||
|
? r.tag.map(element => `<span class="pexpo-core-tag">${this.escapeHtml(element)}</span>`).join('')
|
||||||
|
: ''
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
<div>${this.escapeHtml(r.date)}</div>
|
||||||
|
</div>
|
||||||
|
`;
|
||||||
|
return div;
|
||||||
}
|
}
|
||||||
|
|
||||||
// ---------- UI Events ----------
|
// ---------- Utilities ----------
|
||||||
|
|
||||||
// Sort Dropdown
|
escapeHtml(str) {
|
||||||
if (sortSelect) {
|
return String(str).replace(/[&<>"']/g, s => ({
|
||||||
sortSelect.innerHTML = Object.entries(SORTS)
|
"&": "&", "<": "<", ">": ">", '"': """, "'": "'"
|
||||||
.map(([k, label]) => `<option value="${escapeHtml(k)}">${escapeHtml(label)}</option>`)
|
}[s]));
|
||||||
.join("");
|
|
||||||
sortSelect.value = activeSortKey;
|
|
||||||
sortSelect.addEventListener("change", () => {
|
|
||||||
activeSortKey = sortSelect.value;
|
|
||||||
filters.sort = activeSortKey;
|
|
||||||
fetchData();
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// Search
|
encodeDataToURL(data) {
|
||||||
qInput.addEventListener("keydown", (e) => {
|
return Object
|
||||||
if (e.key === "Enter") {
|
.keys(data)
|
||||||
filters.q = qInput.value.trim();
|
.map(value => `${value}=${encodeURIComponent(data[value])}`)
|
||||||
fetchData();
|
.join('&');
|
||||||
}
|
}
|
||||||
});
|
|
||||||
|
|
||||||
// Tag Toggle
|
|
||||||
filterFTag.addEventListener("change", () => {
|
|
||||||
filters.force_tags = filterFTag.checked;
|
|
||||||
});
|
|
||||||
|
|
||||||
// Tags multiselect
|
|
||||||
filterTags.addEventListener("change", (value, text, element) => {
|
|
||||||
console.log('Change:', value, text, element);
|
|
||||||
});
|
|
||||||
|
|
||||||
|
|
||||||
// Filter Drawer Logic
|
|
||||||
function syncTopbarHeight() {
|
|
||||||
const h = topbar.offsetHeight;
|
|
||||||
document.documentElement.style.setProperty("--topbarH", h + "px");
|
|
||||||
}
|
}
|
||||||
|
|
||||||
function setOpen(open) {
|
|
||||||
filterWrap.classList.toggle("pexpo-core-open", open); // Updated class
|
|
||||||
filterBtn.setAttribute("aria-expanded", String(open));
|
|
||||||
|
|
||||||
filterDrawer.classList.toggle("pexpo-core-open", open); // Updated class
|
|
||||||
filterDrawer.setAttribute("aria-hidden", String(!open));
|
|
||||||
|
|
||||||
drawerBackdrop.classList.toggle("pexpo-core-show", open); // Updated class
|
|
||||||
shell.classList.toggle("pexpo-core-drawerOpen", open);
|
|
||||||
|
|
||||||
syncTopbarHeight();
|
|
||||||
}
|
|
||||||
|
|
||||||
filterBtn.addEventListener("click", () => setOpen(!filterDrawer.classList.contains("pexpo-core-open")));
|
|
||||||
drawerBackdrop.addEventListener("click", () => setOpen(false));
|
|
||||||
document.addEventListener("keydown", (e) => {
|
|
||||||
if (e.key === "Escape" && filterDrawer.classList.contains("pexpo-core-open")) setOpen(false);
|
|
||||||
});
|
|
||||||
|
|
||||||
// // Apply JSON Filter
|
|
||||||
// function applyJson() {
|
|
||||||
// try {
|
|
||||||
// const parsed = JSON.parse(filterJson.value);
|
|
||||||
// jsonError.classList.remove("pexpo-core-show");
|
|
||||||
// filters = parsed;
|
|
||||||
// filterLabel.textContent = (filters.category || "Custom");
|
|
||||||
|
|
||||||
// // Trigger new search with new filters
|
|
||||||
// filters.q = qInput.value.trim();
|
|
||||||
// fetchData();
|
|
||||||
|
|
||||||
// // Close drawer on success (optional)
|
|
||||||
// // setOpen(false);
|
|
||||||
// } catch (err) {
|
|
||||||
// jsonError.classList.add("pexpo-core-show");
|
|
||||||
// }
|
|
||||||
// }
|
|
||||||
|
|
||||||
// filterJson.addEventListener("keydown", (e) => {
|
|
||||||
// if (e.key === 'Enter' && (e.ctrlKey || e.metaKey)) {
|
|
||||||
// e.preventDefault();
|
|
||||||
// applyJson();
|
|
||||||
// }
|
|
||||||
// });
|
|
||||||
|
|
||||||
// Resize Observer
|
|
||||||
const ro = new ResizeObserver(() => {
|
|
||||||
syncTopbarHeight();
|
|
||||||
requestLayout();
|
|
||||||
});
|
|
||||||
ro.observe(shell);
|
|
||||||
ro.observe(masonry);
|
|
||||||
|
|
||||||
// Initial Load
|
|
||||||
initFilters();
|
|
||||||
syncTopbarHeight();
|
|
||||||
fetchData();
|
|
||||||
|
|
||||||
// --- Temporary Mock Response Generator (DELETE ME IN PRODUCTION) ---
|
|
||||||
function simulateBackendResponse(q) {
|
|
||||||
const count = filters.maxResults || 12;
|
|
||||||
const arr = [];
|
|
||||||
for(let i=0; i<count; i++) {
|
|
||||||
arr.push({
|
|
||||||
id: i,
|
|
||||||
title: `Item ${i} - ${q || 'Random'}`,
|
|
||||||
desc: "This is a placeholder description returned from the fake backend.",
|
|
||||||
score: Math.floor(Math.random()*100),
|
|
||||||
updated: new Date().toISOString().slice(0,10),
|
|
||||||
relevance: 0
|
|
||||||
});
|
|
||||||
}
|
|
||||||
return arr;
|
|
||||||
}
|
|
||||||
});
|
|
||||||
@@ -9,23 +9,29 @@
|
|||||||
* @package Partnerexpo_Core
|
* @package Partnerexpo_Core
|
||||||
* @subpackage Partnerexpo_Core/public/partials
|
* @subpackage Partnerexpo_Core/public/partials
|
||||||
*/
|
*/
|
||||||
|
|
||||||
|
$tags = get_terms([
|
||||||
|
'taxonomy' => 'pexpo_tags',
|
||||||
|
'hide_empty' => false,
|
||||||
|
]);
|
||||||
|
|
||||||
?>
|
?>
|
||||||
|
|
||||||
<div class="pexpo-core-root pexpo-core-shell" id="shell">
|
<div class="pexpo-core-root pexpo-core-shell" id="pexpo-core-shell">
|
||||||
<div class="pexpo-core-topbar" id="topbar">
|
<div class="pexpo-core-topbar" id="pexpo-core-topbar">
|
||||||
<div class="pexpo-core-filterWrap" id="filterWrap">
|
<div class="pexpo-core-filterWrap" id="pexpo-core-filterWrap">
|
||||||
<div class="pexpo-core-filterBtn pexpo-core-topHeight" id="filterBtn" role="button" aria-expanded="false" tabindex="0">
|
<div class="pexpo-core-filterBtn pexpo-core-topHeight" id="pexpo-core-filterBtn" role="button" aria-expanded="false" tabindex="0">
|
||||||
<div class="pexpo-core-left">
|
<div class="pexpo-core-left">
|
||||||
<span class="pexpo-core-icons-options" aria-hidden="true"></span>
|
<span class="pexpo-core-icons-options" aria-hidden="true"></span>
|
||||||
<span class="pexpo-core-label" id="filterLabel">Filterek</span>
|
<span class="pexpo-core-label" id="pexpo-core-filterLabel"><?php echo esc_html__('Szűrők', 'partnerexpo-core'); ?></span>
|
||||||
</div>
|
</div>
|
||||||
<span class="pexpo-core-icons-down" aria-hidden="true"></span>
|
<span class="pexpo-core-icons-down" aria-hidden="true"></span>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="pexpo-core-sortWrap pexpo-core-topHeight">
|
<div class="pexpo-core-sortWrap pexpo-core-topHeight">
|
||||||
<label class="pexpo-core-sortLabel" for="sortSelect">Rendezés</label>
|
<label class="pexpo-core-sortLabel" for="pexpo-core-sortSelect"><?php echo esc_html__('Rendezés', 'partnerexpo-core'); ?></label>
|
||||||
<select id="sortSelect" class="pexpo-core-sortSelect">
|
<select id="pexpo-core-sortSelect" class="pexpo-core-sortSelect">
|
||||||
</select>
|
</select>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
@@ -33,41 +39,44 @@
|
|||||||
<div class="pexpo-core-search" role="search">
|
<div class="pexpo-core-search" role="search">
|
||||||
<span class="pexpo-core-icons-search" aria-hidden="true"></span>
|
<span class="pexpo-core-icons-search" aria-hidden="true"></span>
|
||||||
<form id="pexpo-core-qForm" action="javascript:void(0)">
|
<form id="pexpo-core-qForm" action="javascript:void(0)">
|
||||||
<input id="pexpo-core-q" placeholder="Keresés..." autocomplete="off" />
|
<input id="pexpo-core-q" placeholder="<?php echo esc_attr__('Keresés...', 'partnerexpo-core'); ?>" autocomplete="off" />
|
||||||
</form>
|
</form>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="pexpo-core-filterDrawerBackdrop pexpo-core-show " id="pexpo-core-drawerBackdrop" aria-hidden="true"></div>
|
<div class="pexpo-core-filterDrawerBackdrop " id="pexpo-core-drawerBackdrop" aria-hidden="true"></div>
|
||||||
<div class="pexpo-core-filterDrawer" id="pexpo-core-filterDrawer" aria-hidden="true">
|
<div class="pexpo-core-filterDrawer" id="pexpo-core-filterDrawer" aria-hidden="true">
|
||||||
<div class="pexpo-core-filterPanelHeader">
|
<div class="pexpo-core-filterPanelHeader">
|
||||||
<span><b>Filters</b></span>
|
<span><b><?php echo esc_html__('Szűrők', 'partnerexpo-core'); ?></b></span>
|
||||||
</div>
|
</div>
|
||||||
<div class="pexpo-core-filterPanelBody">
|
<div class="pexpo-core-filterPanelBody">
|
||||||
<div class="pexpo-core-toggle">
|
<div class="pexpo-core-toggle">
|
||||||
<span class="toggle-text">Címke kötelezése</span>
|
<span class="toggle-text"><?php echo esc_html__('Címke kötelezése', 'partnerexpo-core'); ?></span>
|
||||||
<div class="toggle-wrapper">
|
<div class="toggle-wrapper">
|
||||||
<input type="checkbox" id="pexpo-core-tag-toggle">
|
<input type="checkbox" id="pexpo-core-tag-toggle">
|
||||||
<label for="pexpo-core-tag-toggle"></label>
|
<label for="pexpo-core-tag-toggle"></label>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<label for="pexpo-core-tags">Címkék</label>
|
<label for="pexpo-core-tags"><?php echo esc_html__('Címkék', 'partnerexpo-core'); ?></label>
|
||||||
<select id="pexpo-core-tags" data-placeholder="Opciók kiválasztása" multiple="multiple">
|
<select id="pexpo-core-tags" data-placeholder="<?php echo esc_attr__('Címkék kiválasztása', 'partnerexpo-core'); ?>" data-search-text="<?php echo esc_attr__('Keresés...', 'partnerexpo-core'); ?>" multiple="multiple">
|
||||||
<!-- <option value="option1">Option 1</option>
|
<?php foreach ($tags as $tag) : ?>
|
||||||
<option value="option2">Option 2</option>
|
<option value="<?php echo esc_attr($tag->slug); ?>"><?php echo esc_html($tag->name); ?></option>
|
||||||
<option value="option3">Option 3</option> -->
|
<?php endforeach; ?>
|
||||||
</select>
|
</select>
|
||||||
|
<button id="pexpo-core-filterApply"><?php echo esc_html__('Alkalmaz', 'partnerexpo-core'); ?></button>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="pexpo-core-body">
|
<div class="pexpo-core-body">
|
||||||
<div class="pexpo-core-metaRow">
|
<div class="pexpo-core-metaRow">
|
||||||
<div id="pexpo-core-metaLeft"><b id="pexpo-core-count">0</b> találat</div>
|
<div id="pexpo-core-metaLeft"><b id="pexpo-core-count">0</b> <?php echo esc_html__('találat', 'partnerexpo-core'); ?></div>
|
||||||
<div id="pexpo-core-metaRight">Elrendezés: <span id="pexpo-core-layoutMeta">—</span></div>
|
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="pexpo-core-masonry" id="pexpo-core-masonry" aria-live="polite"></div>
|
<div class="pexpo-core-masonry" id="pexpo-core-masonry" aria-live="polite">
|
||||||
|
|
||||||
|
</div>
|
||||||
|
<div id="pexpo-core-emptyResult"><?php echo esc_html__('Nincs a szűrőnek megfelelő találat.', 'partnerexpo-core'); ?></div>
|
||||||
<div id="pexpo-core-measure" style="position:absolute; left:-9999px; top:-9999px; width:300px; visibility:hidden;"></div>
|
<div id="pexpo-core-measure" style="position:absolute; left:-9999px; top:-9999px; width:300px; visibility:hidden;"></div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
@@ -6,7 +6,6 @@
|
|||||||
<title>Mock Search UI (Masonry)</title>
|
<title>Mock Search UI (Masonry)</title>
|
||||||
<link rel="stylesheet" href="css/multiselect.css">
|
<link rel="stylesheet" href="css/multiselect.css">
|
||||||
<style>
|
<style>
|
||||||
/* [Core CSS - Same as before] */
|
|
||||||
.pexpo-core-root { --accent1: #950000; --accent2: #2c3489; --darker: 30%; --lighter: 30%; --bg: #f6f7fb; --panel: #ffffff; --panel2: #f2f4fb; --stroke: rgba(16, 24, 40, .10); --stroke2: rgba(16, 24, 40, .14); --text: rgba(16, 24, 40, .92); --muted: rgba(16, 24, 40, .62); --shadow: 0 18px 45px rgba(16,24,40,.12); --r: 14px; --cardMin: 240; --gap: 12px; --filterW: 170px; --filterWOpen: 360px; --toggle-bg-off: #ca0000; --toggle-bg-on: #10bb2d; --toggle-nub-color: #f6f7fb; --topbarH: 64px; font-family: ui-sans-serif, system-ui, -apple-system, Segoe UI, Roboto, Helvetica, Arial, "Apple Color Emoji","Segoe UI Emoji"; color: var(--text); line-height: 1.35; font-size: 14px; }
|
.pexpo-core-root { --accent1: #950000; --accent2: #2c3489; --darker: 30%; --lighter: 30%; --bg: #f6f7fb; --panel: #ffffff; --panel2: #f2f4fb; --stroke: rgba(16, 24, 40, .10); --stroke2: rgba(16, 24, 40, .14); --text: rgba(16, 24, 40, .92); --muted: rgba(16, 24, 40, .62); --shadow: 0 18px 45px rgba(16,24,40,.12); --r: 14px; --cardMin: 240; --gap: 12px; --filterW: 170px; --filterWOpen: 360px; --toggle-bg-off: #ca0000; --toggle-bg-on: #10bb2d; --toggle-nub-color: #f6f7fb; --topbarH: 64px; font-family: ui-sans-serif, system-ui, -apple-system, Segoe UI, Roboto, Helvetica, Arial, "Apple Color Emoji","Segoe UI Emoji"; color: var(--text); line-height: 1.35; font-size: 14px; }
|
||||||
.pexpo-core-root * { box-sizing: border-box; }
|
.pexpo-core-root * { box-sizing: border-box; }
|
||||||
.pexpo-core-shell { width: min(1100px, 96vw); height: min(720px, 92vh); background: linear-gradient(180deg, rgba(44,52,137,.05), transparent 42%), var(--panel); border: 1px solid var(--stroke); border-radius: calc(var(--r) + 2px); box-shadow: var(--shadow); overflow: hidden; display:flex; flex-direction:column; position: relative; isolation: isolate; }
|
.pexpo-core-shell { width: min(1100px, 96vw); height: min(720px, 92vh); background: linear-gradient(180deg, rgba(44,52,137,.05), transparent 42%), var(--panel); border: 1px solid var(--stroke); border-radius: calc(var(--r) + 2px); box-shadow: var(--shadow); overflow: hidden; display:flex; flex-direction:column; position: relative; isolation: isolate; }
|
||||||
|
|||||||
Reference in New Issue
Block a user