8845 comments found.
WordPress Media Files Not Deleting After Listing Removal
I’ve noticed that when I permanently delete a listing from the trash, the associated photos are not being removed from the Media Library. These images continue to appear in the media section and still occupy space on the server.
I previously reported this issue several months ago, but it has not yet been resolved. Could you please look into this matter and ensure that media files are properly deleted when their associated listings are removed?
Thank you.
How can we identify and remove car photos from the WordPress media library that belong to deleted listings? These images remain in the media library even after the listings are deleted, so I’d like to know how to locate and eliminate such unused photos since they are no longer needed on the website.
When images are uploaded to a listing, they are added to the standard WordPress Media Library — we are unable to apply any special tagging or marking to them.
The task to automatically remove listing photos after the listing is deleted is currently under review by our development team. Once they complete the work, we will release an update with the fix. We will inform you about in the theme changelog.
Best regards,
Hello,
I found the following code snippet that deletes all attached images when a post is deleted. I would like to use it so that whenever a listing is deleted, its images are removed automatically.
Before I use it, I need to confirm the correct post type used for listings in my Motors installation.
Here is the code:
add_action(‘before_delete_post’, ‘delete_attached_media_when_listing_deleted’); function delete_attached_media_when_listing_deleted($post_id) { if (get_post_type($post_id) != ‘listing’) { // replace ‘listing’ with your Motors post type (e.g., ‘stm_cars’) return; } }
$attachments = get_children(array(
'post_parent' => $post_id,
'post_type' => 'attachment'
));
if (!empty($attachments)) {
foreach ($attachments as $attachment) {
wp_delete_attachment($attachment->ID, true);
}
}
Could you please confirm which post type Motors uses for listings on my setup (e.g., stm_cars, listing, or something else)?
Thank you!
Hello there!
Thank you for the detailed message!
The correct post type for listings in Motors is listings.
Regarding the image deletion issue: we are aware that currently attached images are not always removed automatically when a listing is deleted from the frontend. Our developers are already checking this case.
Best regards,
Thank you for your response. I am using the “Multi Listing Types (Classified 5 Elementor)” setup, and I would like to confirm the correct post type slugs for each listing category on my website.
Currently I am using:
Motos → edit.php?post_type=moto
Aircraft → edit.php?post_type=aircraft
Boats → edit.php?post_type=ship
Car Parts → edit.php?post_type=carparts
Trucks & Buses → edit.php?post_type=trucks-buses-train
I need to know the correct post type slugs I should be using for all of the above categories.
I also want to confirm if the following code will work for automatically deleting listing images from the Media Library when a listing is deleted:
add_action(‘before_delete_post’, ‘motors_delete_listing_images_all_types’); function motors_delete_listing_images_all_types($post_id) { }
// List all Motors CPTs you use
$motors_cpts = array(
'listings',
'moto',
'aircraft',
'ship',
'carparts',
'trucks-buses-train' // This IS correct for your website
);
// Only run for Motors listings
if (!in_array(get_post_type($post_id), $motors_cpts)) {
return;
}
// 1) DELETE ATTACHED MEDIA (standard WordPress attachments)
$attachments = get_children(array(
'post_parent' => $post_id,
'post_type' => 'attachment',
'numberposts' => -1
));
if (!empty($attachments)) {
foreach ($attachments as $attachment) {
wp_delete_attachment($attachment->ID, true);
}
}
// 2) DELETE GALLERY IMAGES stored in Motors plugin meta fields
$gallery_meta_keys = array(
'gallery',
'gallery_photos',
'gallery_photos_ids',
'stm_galleries',
'stm_gallery_photos',
'gallery_images',
'gallery_video_cover'
);
foreach ($gallery_meta_keys as $meta_key) {
}
$meta_value = get_post_meta($post_id, $meta_key, true);
if (empty($meta_value)) {
continue;
}
// Case A: array of IDs
if (is_array($meta_value)) {
foreach ($meta_value as $image_id) {
wp_delete_attachment($image_id, true);
}
}
// Case B: comma-separated IDs ("12,55,81")
if (is_string($meta_value) && preg_match('/^\d+(,\d+)*$/', $meta_value)) {
$ids = explode(',', $meta_value);
foreach ($ids as $image_id) {
wp_delete_attachment($image_id, true);
}
}
Thank you for the details!
Your current code won’t work correctly because in Multi Listing Types the post-type slugs are generated automatically and shouldn’t be hard-coded. Here is an example of how it can be done:
add_action( ‘before_delete_post’, ‘motors_delete_listing_images_all_types’ );
function motors_delete_listing_images_all_types( $post_id ) { // Get Motors CPTs dynamically (or use static array below) $motors_cpts = array( ‘listings’ ); if ( class_exists( ‘STMMultiListing’ ) ) { $multi_slugs = STMMultiListing::stm_get_listing_type_slugs(); if ( ! empty( $multi_slugs ) ) { $motors_cpts = array_merge( $motors_cpts, $multi_slugs ); } } }
if ( ! in_array( get_post_type( $post_id ), $motors_cpts, true ) ) {
return;
}
// 1) Delete attached media (standard WordPress attachments)
$attachments = get_children(
array(
'post_parent' => $post_id,
'post_type' => 'attachment',
'numberposts' => -1,
)
);
if ( ! empty( $attachments ) ) {
foreach ( $attachments as $attachment ) {
wp_delete_attachment( $attachment->ID, true );
}
}
// 2) Delete gallery images from meta fields
$gallery_meta_keys = array(
'gallery',
'gallery_photos',
'gallery_photos_ids',
'stm_galleries',
'stm_gallery_photos',
'gallery_images',
'gallery_video_cover',
'gallery_videos_posters',
);
foreach ( $gallery_meta_keys as $meta_key ) {
$meta_value = get_post_meta( $post_id, $meta_key, true );
if ( empty( $meta_value ) ) {
continue;
}
}
// Case A: array of IDs
if ( is_array( $meta_value ) ) {
foreach ( $meta_value as $image_id ) {
wp_delete_attachment( $image_id, true );
}
}
// Case B: comma-separated IDs ("12,55,81")
if ( is_string( $meta_value ) && preg_match( '/^\d+(,\d+)*$/', $meta_value ) ) {
$ids = explode( ',', $meta_value );
foreach ( $ids as $image_id ) {
wp_delete_attachment( intval( trim( $image_id ) ), true );
}
}
// 3) Delete featured image (thumbnail)
$thumbnail_id = get_post_thumbnail_id( $post_id );
if ( ! empty( $thumbnail_id ) ) {
wp_delete_attachment( $thumbnail_id, true );
}
If you also want the images to be deleted when a listing is moved to trash, you can add this hook:
add_action( ‘wp_trash_post’, ‘motors_delete_listing_images_all_types’ );
Please note that our official support doesn’t cover custom code modifications. For any serious customization needs, you can always contact our Digital Agency.
Best regards,
Thank you so much i have updated it.Please help me check if this right below
<?php
/* * SAFE & CORRECT — Delete all Motors listing images (featured + gallery + attachments) * Supports Multi-Listing Types dynamic post types. */
add_action(‘before_delete_post’, ‘motors_delete_listing_images_all_types’); add_action(‘wp_trash_post’, ‘motors_delete_listing_images_all_types’); // also run on trash
function motors_delete_listing_images_all_types($post_id) { }
// 1. Get Motors CPTs dynamically
$motors_cpts = array('listings');
if (class_exists('STMMultiListing')) {
$multi_slugs = STMMultiListing::stm_get_listing_type_slugs();
if (!empty($multi_slugs)) {
$motors_cpts = array_merge($motors_cpts, $multi_slugs);
}
}
// Only run for Motors listing post types
if (!in_array(get_post_type($post_id), $motors_cpts, true)) {
return;
}
/ -------------------------------
2. DELETE STANDARD ATTACHMENTS (featured + uploaded)
------------------------------- /
// Delete featured image
$thumbnail_id = get_post_thumbnail_id($post_id);
if (!empty($thumbnail_id)) {
wp_delete_attachment($thumbnail_id, true);
}
// Delete attachments uploaded to the listing
$attachments = get_children(array(
'post_parent' => $post_id,
'post_type' => 'attachment',
'numberposts' => -1,
));
if (!empty($attachments)) {
foreach ($attachments as $attachment) {
wp_delete_attachment($attachment->ID, true);
}
}
/ -------------------------------
3. DELETE MOTORS GALLERY IMAGES STORED IN META FIELDS
------------------------------- /
$gallery_meta_keys = array(
'gallery',
'gallery_photos',
'gallery_photos_ids',
'stm_galleries',
'stm_gallery_photos',
'gallery_images',
'gallery_video_cover',
'gallery_videos_posters' // Motors 5 uses this sometimes
);
foreach ($gallery_meta_keys as $meta_key) {
}
$meta_value = get_post_meta($post_id, $meta_key, true);
if (empty($meta_value)) {
continue;
}
// Case A — array of attachment IDs
if (is_array($meta_value)) {
foreach ($meta_value as $image_id) {
wp_delete_attachment(intval($image_id), true);
}
}
// Case B — comma-separated string ("12,55,81")
if (is_string($meta_value) && preg_match('/^\d+(,\d+)$/', $meta_value)) {
$ids = explode(',', $meta_value);
foreach ($ids as $image_id) {
wp_delete_attachment(intval(trim($image_id)), true);
}
}
As we mentioned earlier, working with custom code is not part of our regular support service — it is considered customization.
If you’d like our specialists to review your version of the code, test it, or write a new one for you, we recommend contacting our Digital Agency here: https://stylemix.net/?utm_source=themeforest&utm_medium=08_07_2022&utm_campaign=hire_usBest regards,
okay thank you
After fully implementing the code where needed, I decided to test it by deleting some listings on the website. I then checked the total number of media files in my WordPress admin and noticed that images were also removed from the media library, which reduced the overall count. This confirms that the code is working correctly. Thank you so much for this!
Thank you so much for testing it and letting me know!
I’m really glad the code works exactly as expected.
Best regards,
Hello [Team / Support],
I’ve identified two issues with the Dealer List element on the website that need attention:
1. Duplicate Dealer Entries After Clicking “Load More”
The first 12 dealers display correctly on initial load.
However, after clicking the “Load More” button, some of the same dealers from the initial set reappear in the extended list, resulting in duplicate entries. ➡️ Please review the pagination or query logic to ensure each dealer appears only once in the list.
2. STM Dealer Role Not Appearing in Dealer List
When users are switched from Subscriber to STM Dealer, some appear on the dealer list while others do not.
Even after updating their profile information (logo, description, and other details), certain users still don’t show up in the public dealer list. ➡️ It seems the role change isn’t fully registering those users as dealers within the listing query.
Kindly investigate both issues and advise on the necessary fixes.
Hello there!
Thank you for the detailed report on the Dealer List issues — we appreciate your thoroughness.
Please ensure you’re using the latest versions of the Motors theme and all its plugins, then try disabling all third-party plugins (starting with any caching plugin) and temporarily turning off customizations . After that, test the “Load More” and dealer visibility behavior again.
If the issues persist, please send us screenshots of any errors in the Console Panel. duplicate entries and missing STM Dealer users quickly.
We’re on it — thank you for your patience!
Best regards,
I’ve updated my theme and plugins to the latest versions and carried out a series of tests. Here’s what I observed:
Some STM Dealers still appear as duplicates after clicking “Load More.”
I deleted a few STM Dealers and adjusted the total to 12 dealers. In this case, the “Load More” button no longer appears (as expected), and there were no duplicate entries.
Interestingly, some STM Dealers that were previously missing from the list started displaying correctly after these changes.
Although my support period has expired, I would appreciate it if your team could run a quick test by:
Adding more than 15 STM Dealers,
Clicking “Load More” to check whether any dealers appear twice, and
Verifying if any STM Dealers remain hidden from the list.
Thank you for your time and assistance.
Thank you for updating — we really appreciate your effort!
I’ve forwarded the case to the team for review. Once we resolve the issue, we’ll release an update with the fix and notify you in the changelog. Unfortunately, I can’t provide an exact timeline for implementation at this moment.
Thank you for your patience, and feel free to reach out if you have more details to share!
Best regards,
Hello
Kindly look into this with your tream and fix
Hi, Can I Combine Auto Rental demo and Car Dealership two demos? I want add Rent features in Car Dealership Two demo.
Hello there!
Thank you for reaching out with your question! Unfortunately, you cannot combine the Auto Rental demo and the Car Dealership Two demo, as they are built on different systems and styles, making integration unfeasible. As an alternative, I suggest creating two separate subsites for each demo and linking them together with cross-links to provide a seamless experience for your users.
Please let me know if you have more questions!
Best regards,
But can I use Car Dealership Two Demo and than add form/listing for rent? How listings for rent are being created? I tried going through Backend demo but it seems similar to creating listing for card dealership? I want to have a Rent page which would show listings for rent that users can book. Same as it shows in rental demo.
I do not want to create 2 separate websites.
In the Car Dealership demo, listings are created via the Listing Manager following the instructions here: https://docs.stylemixthemes.com/motors-theme-documentation/listing-management/listing-manager . However, the Rental functionality operates on a different system, relying on WooCommerce, where vehicles are set up as WooCommerce products—details are available here: https://docs.stylemixthemes.com/motors-theme-documentation/car-rental-layout-features/rental-products. Unfortunately, these are two distinct systems, and they may not be fully compatible when combined within the same demo .
Given this, the best solution would be to separate them into two different subsites—one for the Car Dealership Two demo and another for the Rental demo—allowing you to maintain their individual functionalities and link them as needed. This approach will ensure a smooth experience for your users.
If you need guidance on setting up the subsites or have further questions, feel free to let me know!
Best regards,
Hi there, I am considering this theme. Can you answer a few questions before I purchase?
Does the site allow for:
- multiple dealers to list and edit listings for their own cars
- and have their own profile page
- and have their own login to edit their listings
- and allow users to view all listings by a particular dealer and leave star reviews
Hello there!
Thank you for considering the Motors theme!
Yes, the Classified demo layouts support multiple dealers listing and editing their own cars, each with their own profile page and login to manage listings. Users can also view all listings by a specific dealer and leave star reviews. You can explore these features on our website, including live and backend demos at https://stylemixthemes.com/motors/.
Feel free to reach out with any further questions!
Best regards,
I can insert custom fields? I need to show custom fields in the archive listen (in home and other pages of listing), and conditinal search, like this website: https://pfmotos.pt/ This website use the same theme.
Hello there!
Thank you for reaching out about displaying custom fields.
To display custom fields on the homepage or other listing archive pages, you can modify the widget settings using the page builder (e.g., WPBakery) to include the desired fields in the listing display.
To include custom fields in the search filter, you need to enable them in the custom field settings. Please follow the instructions here: https://docs.stylemixthemes.com/motors-theme-documentation/search-filter/inventory-listing-categories#filter-settings to set up the fields for filtering.
If you need further assistance with configuring these settings or matching the setup of the referenced website, let me know, and I can guide you further!
Best regards,
After one year, I can’t add new listing at all, when publish listing, it shows: There has been a critical error on this website. Please check your site admin email inbox for instructions. If you continue to have problems, please try the support forums. Why?
Hello there! Thank you for reaching out about the critical error you’re encountering when trying to publish a new listing.
Unfortunately, without more details, it’s difficult to pinpoint the exact cause of the issue. As a first step, please ensure you’re using the latest version of the theme and all its plugins, as updates often resolve such errors. Additionally, try temporarily disabling any third-party plugins, as they can sometimes cause conflicts.
If these steps don’t resolve the issue, please contact our support team by clicking the “Support” button below. In your request, include a detailed description of the problem along with WP-admin and FTP access credentials. This will allow our agents to thoroughly investigate your case and provide a solution.
We’re here to help—let us know how it goes!
Best regards,
I see that the data is all in the Listings table plugin of the Motors Plugin. So, how can I import the table data in bulk, or can I only add it to a single product.
Yes, I just want to import data in bulk
Thank you for clarifying.
To achieve this, you’ll need to install the WP All Import plugin along with the STM WP All Import Addon. Please follow the setup instructions here: https://docs.stylemixthemes.com/motors-theme-documentation/import-listings/import-preparation . Once set up, you can import your listings in bulk by following the guidelines and using the example files provided here: https://docs.stylemixthemes.com/motors-theme-documentation/import-listings/import-example-files .
If you encounter any issues or need further assistance, you can contact our support team here https://support.stylemixthemes.com/tickets/new !
Best regards,
During the process of importing the demo, every time I reach 85% of the main content under the demo content, I encounter an error code 503. What is the reason for this and how can I resolve it? Additionally, my system status is normal
This error is often caused by third-party plugins, particularly caching plugins, that may interfere with the import process. As a first step, please try disabling all non-essential plugins installed on your site or server before starting the demo import. This should help prevent any interruptions.
If disabling plugins doesn’t resolve the issue, please submit a ticket to our support team via https://support.stylemixthemes.com/tickets/new . Be sure to include a detailed description of the problem, including any error messages, and provide temporary WP admin access so we can investigate further.
Thank you for your patience, and let us know if you have any questions!
Best regards,
Can you provide me with a copy of the imported data from HomeNet Automotive in the tutorial section of the document:https://docs.stylemixthemes.com/motors-theme-documentation/import-listings/homenet-automotive
Unfortunately, we’re unable to provide a ready-made file for importing listings, as this data is specific to your HomeNet Automotive account. You can generate the necessary import file directly through HomeNet Automotive’s platform by following the steps outlined in the documentation. If you need assistance with the process, feel free to open a ticket, and our support team can guide you further!
Best regards,
Why do I import images like this, only to find that all products are one image? I followed the steps for the extension plugin ‘motors all import addon’ that you provided
Please double-check your import file and the plugin configurations to ensure the image data is correctly mapped.
The listing will display only the images it receives during the import process, so the issue might stem from how the file or settings are configured. If you need assistance troubleshooting what’s going wrong, I recommend opening a support ticket at https://support.stylemixthemes.com/tickets/new and providing WP-admin access. Our team will review your setup.
Feel free to reach out with any further details!
Best regards,
I got stuck halfway through the batch import process
Thank you for reaching out—I’m sorry to hear you’re stuck halfway through the batch import process. To help troubleshoot effectively, could you please share the specific error message you’re seeing? This will allow me to pinpoint the issue and guide you on the next steps.
In the meantime, common causes for imports getting stuck include low PHP limits. Please recheck your site configurations.
Best regards,
When importing data in bulk, how do I import data into the “featured” section?
Unfortunately, this feature is not available at the moment. However, our team is actively working on adding this functionality in one of future updates.
In the meantime, featured listings can be set manually in the Listing Manager or via individual edits.
Best regards,
Function _load_textdomain_just_in_time was called incorrectly. Translation loading for the motors_listing_types domain was triggered too early. This is usually an indicator for some code in the plugin or theme running too early. Translations should be loaded at the init action or later. Please see Debugging in WordPress for more information.
Hello there!
Thank you for reporting the _load_textdomain_just_in_time notice for the motors_listing_types domain. I’ve passed this issue along to our development team, and they’re working on addressing it.
As a temporary workaround, you can disable WP_DEBUG in your WordPress wp-config.php file to suppress this notice. This is just a notification and does not affect the functionality of the theme or your site overall.
Please let me know if you have more questions!
Best regards,
Could you please help me reset or release the licenses from the expired domain so I can use it on my new domain? I have two that I need reset. I don’t have access to them.
Hello there!
Thank you for reaching out regarding the license reset for your domains. To proceed, could you please specify the exact domain names you need reset? This will allow me to check their status in our database and assist you further.
Feel free to share the details, and I’ll get this sorted for you as soon as possible!
Best regards,
carpros.ca and rv-daddy.ca Purchase/Secret Code: 488a33*918a Purchase/Secret Code: 1b9b14*c0a2
Thank you for providing the details. I’ve successfully removed the domain carpros.ca from your license. However, it seems that rv-daddy.ca was purchased under a different account. Without the permission of the account owner, I’m unable to remove this domain.
Please coordinate with the owner of the other account to authorize the removal, or let me know if further assistance is needed.
Best regards,
Hi, both of these licenses are under my account samnait. Also the theme is not being used at rv-daddy as the theme for the domain has changes.
ending liced number d5e4918a – 27 Sep 2024 ending liced number e78c0a2 – 28 Apr 2020
can you please let me know?
Thank you for providing the details. I’ve reviewed both licenses. Upon checking, I couldn’t find the domain rv-daddy.ca activated under either license. It’s possible you may have deactivated it earlier.
Best regards,
okay I’ll install it and see if it says invalid. Will keep you posted.
Okay, I’ll be waiting to hear back from you — good luck with the installation!
Best regards,
Can the brand icon in the download template be used for commercial purposes
Hello there!
Thank you for your question.
Whether the brand icons (car brand logos) in the demo templates can be used for commercial purposes depends on the country where your site and its content are hosted, as trademark laws vary by jurisdiction. To ensure compliance, I recommend consulting with a legal professional familiar with your local regulations.
Let me know if you have additional questions.
Best regards,
Can each theme only correspond to one domain name? I see that the domain name associated with a theme activation code cannot be changed
Thank you for your question about theme license activation.
According to Envato’s policy, one license can be activated on one dev site and one live site only. If you need to use it on another domain, you’ll need to purchase a new license. You can, however, create sites on subdomains under the same main domain — these count as part of the same license. More details can be found here: https://docs.stylemixthemes.com/motors-theme-documentation/general/theme-license
To switch the domain, you must first deactivate the license on the old domain and then activate it on the new one. Here’s the deactivation guide: https://docs.stylemixthemes.com/motors-theme-documentation/installation-and-activation/license-key-deactivation
Let me know if you have more questions!
Best regards,
When importing the demo, there will be an error 503, which is related to the main content section, and my system meets this requirement in the system status section
Hello there!
Thank you for reaching out about the 503 error during demo import!
This issue is often related to server restrictions or conflicts. If you have any caching plugins active on your site or server, please try disabling them, along with any other third-party plugins, and then attempt the demo import again. If the error persists, please contact our support team by clicking the “Support” button below, and they’ll assist you further.
Best regards,
Hello,
Last update Motors 5.6.80 + Motors – Car Dealership & Classified Listings Plugin 1.4.91 : In changelog you mention : FIX “WPBakery templates were not displaying on Single Listing pages”. After testing on Motorcycle demo, this is working better now, BUT you have to use “old” Listing manager first to integrate the WPBakery-template.
So I did a test using only the “NEW” listing manager : filled in all fields : summary, photos, details, price etc, saved it, BIG PROBLEM : in front only SUMMARY + title are displayed, no photos, no details, no price, nothing !
I checked in Listing Templates (motors plugin) to try to bind the WPBakery template to single listing, but there are only 2 options : DEFAULT (not working, only shows summary in front) and BUILD IN ! The BUILD IN, wow, all templates are PRO Versions and I suppose for Elementor ??? For templates like Motorcycle or others only available with WPBakery, there is no way to use single listing layout from Bakery with the “new” listing manager ! In another comment you said that you want to stop the “old” listing manager. Before doing this, please make sure that users of your theme (since years) can choose their WPBakery-template in Listing templates.
If I’m missing out on something, please explain if you tested “new” listing manager with WPBakery and if it’s working for you ???? Right now, I can’t use “new” listing manager, with only showing Summary in Front!
Looking forward to your reply on this issue. Thank you.
Hello there!
Thank you for your detailed feedback.
You’re correct that the built-in templates in the Listing Templates section are available only for the Pro version, and there are similiar templates designed specifically for Elementor. You can find more details about this in the plugin documentation here: https://docs.stylemixthemes.com/motors-car-dealer-classifieds-and-listing/single-listing/listing-templates .
For WPBakery, you can create a custom template and apply it in the new Listing Manager by copying the WPBakery template content into the description field via the Classic Editor. Alternatively, I recommend trying to set the WPBakery template as global, which should ensure proper display of all listing details (photos, price, etc.). Instructions for creating and setting a global WPBakery template are available here: https://docs.stylemixthemes.com/motors-theme-documentation/single-listing/listing-templates#how-to-create-a-single-listing-template-using-wpbakery .
I haven’t observed issues with listing display when using either method. https://www.awesomescreenshot.com/image/56965892?key=d93ad21964f69d867dbe5992a3e70ae9Please try these approaches and let me know if it resolves the problem or if you encounter any difficulties. If it’s still not working, could you share more details (e.g., a screenshot of the Listing Manager settings or front-end result)? I’m here to help!
Best regards,
Thanks for your reply and caring about this issue.
The link you provided for creating custom template/single listing for WPBakery ( https://docs.stylemixthemes.com/motors-theme-documentation/single-listing/listing-templates#how-to-create-a-single-listing-template-using-wpbakery ) is the way I’ve been doing it since years and it’s working good with the OLD listing manager. You just have to click on “ADD NEW ITEM” and my WPBakery-template is loaded. Takes 2 minutes to fill in and save it, that’s it ! Your documentation does not work with the NEW listing manager because there is no way to include the WPBAkery template to create a new single listing.
So in screenshot https://ibb.co/VWTyxw0q you can see the problem, when using only NEW listing manager. Result in FRONT only displays title and discription, nothing else.
You said : “you can create a custom template and apply it in the new Listing Manager by copying the WPBakery template content into the description field via the Classic Editor” How do I copy the entire WPBakery template in the description field ??? (if this is the solution, I doubt)
Thank you and kind regards !
Thank you for providing such a detailed explanation and the screenshot—it really helps clarify the issue with the new Listing Manager and WPBakery templates.
I’ve escalated your case to our development team for review. At this moment, I can’t provide an exact timeline for when this will be resolved, but rest assured, once the issue is fixed, we’ll release an update and notify you through the theme’s changelog.
As a temporary workaround, please try manually adding the template. To do this, go to the Classic Editor, copy the WPBakery template code, and paste it into the description field of the new Listing Manager https://prnt.sc/yYl1wuYvv3gO . This should allow you to include the template content for now.
Thank you for your patience, and please don’t hesitate to reach out if you need further assistance!
Best regards,
Thank you for taking this issue in consideration and I hope, the FIX is coming soon.
By the way, I did a test on Car Dealership One demo (sandbox) and tested the “DEFAULT” option in Listing Templates. It’s the same result, showing only title & description in Front. Luckily, this Demo got ELEMENTOR templates, but for WPBakery demo-users the new listing manager is NOT usable.
For your screenshot & copying the WPBakery template code, well, I’m sorry to tell you that for no-coding persons who just fill in the inventory, this is really not an option. So, we are staying with the OLD listing manager for the moment, until you fix this issue for all WPBakery templates.
Just begging you NOT to stop OLD listing manager until you fixed this issue !
Thank you very much and kind regards.
Thank you for your detailed feedback and for testing the Car Dealership One demo. We’re aware of the issue with the “DEFAULT” option in Listing Templates displaying only the title and description in the front-end, and our development team is actively working on a fix for this.
Please let us know if you have any further questions or need additional assistance in the meantime. We truly appreciate your patience and feedback!
Best regards,
I’m experiencing an error where, after changing the setting in Theme Options > Blog Page > Blog Post Sidebar from Primary Sidebar to another menu option, the entire homepage disappeared. (I believe the failure occurred in this section).
It’s only displaying the header. I have already disabled and reactivated plugins. I have already disabled and reactivated the child theme. Nothing is bringing it back. When I deactivate/uninstall Elementor, the home page is shown completely unformatted/broken. When I reactivate or reinstall it, the page goes blank.
I have already had to reinstall this theme from scratch because it was full of bugs. site: jmotors.com.br
Can you help me with this? Thanks
Hello there!
Thank you for reaching us out!
To resolve the homepage disappearing after changing the Blog Post Sidebar setting, please try the following: go to Settings → Reading in your WordPress admin panel and ensure the correct page is set as the homepage. Then, go to Settings → Permalinks, choose the “Post name” structure (if not already selected), and re-save the permalinks.
Please let me know how it goes!
Best regards,
Both items already had these settings. I entered them again and saved, but it still isn’t displaying. When I disable Elementor, the page appears completely unstyled/messed up, but it displays the fields. When I disable the Motors Elementor Widgets plugin, the page is also displayed, however without the vehicles in stock, only the header and a snippet of the footer.
The WordPress settings bar (admin bar) has also disappeared, even though its display is enabled in the settings.
What could be causing these errors?
We’d like to take a closer look at your site’s settings to figure out what’s causing these issues. Please submit a request via contact form at https://themeforest.net/user/stylemixthemes with your WP admin access credentials and a brief description of the problem.
Best regards,
I just purchased today Motors theme and wordpress keeps telling me:
Installing the theme…
The package could not be installed. The theme is missing the style.css stylesheet.
Theme installation failed.
HELP
Hello there!
Thank you for reaching us out!
Please take note that it is essential to install the correct ZIP archive, which should have the same name as the theme. For more comprehensive instructions, you can refer to the following link that provides detailed guidelines > https://help.market.envato.com/hc/en-us/articles/202821510-Theme-is-missing-the-style-css-stylesheet-error
If you have any new questions or need assistance with the theme’s default settings and options, please don’t hesitate to contact us by submitting a new support ticket at https://support.stylemixthemes.com/tickets/new
Best regards,
Hi,
In compare page, how to remove from compare. Not from list in compare oage. I want it to be removed from compare. Otherwise I have to go to inventory page to remove that listing from compare which is little hard
Regards, Zumry
1. Can we add Car variants (Manual, automatic, CNG) and city wise price or we have to create a new page for each because some parts of content may also change as per variant and city. 2. Can there is separate Permalink for NEW and USED cars
Hello there!
Thanks for your questions!
Unfortunately, the Motors theme doesn’t support car variants or city-wise pricing within a single listing, so you’ll need to create separate listings for each variant or location, especially since content may vary.
For separate permalinks for new and used cars, yes—you can set up filtered pages like this example: https://motors.stylemixthemes.com/inventory/?condition=new-cars , or use the Listing Tabs widget as shown on the homepage here: https://motors.stylemixthemes.com/ .
Let me know if you have more questions.
Best regards,
i opened ticket Z99862 but no body replayed , can you pls help
Hi Team,
I have recently reset my website and imported the demo, “classified listing four”. The section below the slider, there are three tabs. By default “new car” is displaying first. Can you please guide me how can I change and make the “used car” first by default. Additionally, I have below 2 queries also
1. How can I create the year in bulk in custom filed 2. Is there any way to upload all the car make and models at once?
Thanks in advance
Hello there!
Thanks for your message!
To set “Used Car” tab in the Listing Tabs widget on the homepage, edit the page via your page builder (e.g., Elementor or WPBakery) and adjust the widget settings to select “Used Car” in Category section.
Unfortunately, bulk adding options to a custom field isn’t supported, but you can import years, makes, and models using the STM Import Makes & Models plugin. Follow the guide here: https://docs.stylemixthemes.com/motors-theme-documentation/listing-management/import-makes-and-models .
Let me know if you have more questions.
Best regards,
Hi
Many thanks for your prompt response. I have added the “used car” tab by selecting the category. However the “new car” is coming first. I need to make the “used car” first and “new car” second. But I can’t find this option while editing the page.
Best Regards
Unfortunately, there’s no built-in option in the page editor to reorder the “used car” and “new car” tabs to make “used car” appear first. To achieve this, you would need to customize the widget’s code.
Best regards,
Ok, I understand. Thanks for the update.
Thank you for understanding/ Let me know if you have more questions.
Best regards,
Hi, your get car price form does not support captcha. I often receive spam emails. Please check your wp-content/themes/motors/listings/modals/get-car-price.php. Thanks
Hello, good morning. I’m using the Auto Rental 1 theme, and when I apply a discount for the number of days, I add an extra, for example such as an additional driver, during the booking process and when I get the total, it doesn’t take into account the discounted vehicle price, just the original price. Could you please provide an update that fixes this issue? Thank you.
Hello there!
Thank you for reporting this issue with the Rental 1 demo layout. I’ve forwarded your case to our development team, and they’re working on a fix for the discount calculation to ensure it applies correctly to the vehicle price when extras like an additional driver are added. We’ll release an update with the fix as soon as it’s ready.
Apologies for the inconvenience!
Best regards,