Category: Drag-and-Drop Web App Builder

  • How to Build a Custom WordPress Plugin with Perplexity AI

    No coding experience needed!

    Building a custom WordPress calendar plugin requires careful setup and structured code implementation. Here’s a step-by-step guide using best practices from plugin development tutorials and calendar implementations:

    Plan Your Calendar Features

    List what you want your plugin to do.
    We’ll use in this in the Perplexity prompt.

    • Create events within wp-admin
    • Embed calendar using shortcode
    • Show events in month/list views
    • Display event title, featured image, date, time, and location in both month and list views
    • Embed calendar views using shortcode with ability to filter by category
    • Assign events to categories
    • Let users click to see event details

    Perplexity Prompt

    “I want to build a custom WordPress calendar plugin. I want to add events with a featured image, description, start and end time, and location. Ability to assign event categories. I want month/day/list views. Display event title, featured image, date, time, and location in both month and list views. Ability to embed the calendar using shortcode. Toggle between month and list views. Walk me step by step through the process, from start to finish. I am not a coder. Give me all the necessary code and scripts. Break up the instructions into sections.”

    1. Plugin Setup & Core Structure

    Create directory wp-content/plugins/my-events-calendar/ with these files:

    my-events-calendar/
    ├── my-events-calendar.php
    ├── assets/
    │   ├── css/calendar.css
    │   └── js/calendar.js
    └── includes/
        ├── class-events-cpt.php
        └── calendar-views.php

    my-events-calendar.php (Main Plugin File):

    <?php
    /*
    Plugin Name: My Events Calendar
    Description: Custom calendar with multiple views and event management
    Version: 1.0
    Author: Your Name
    Text Domain: my-calendar
    */
    
    defined('ABSPATH') || exit;
    
    // Load core files
    require_once plugin_dir_path(__FILE__) . 'includes/class-events-cpt.php';
    require_once plugin_dir_path(__FILE__) . 'includes/calendar-views.php';
    
    // Initialize plugin
    add_action('init', 'my_calendar_init');
    function my_calendar_init() {
        My_Events_CPT::register_event_post_type();
        My_Events_CPT::register_event_taxonomy();
    }

    2. Event Post Type & Taxonomy

    includes/class-events-cpt.php:

    <?php
    class My_Events_CPT {
        public static function register_event_post_type() {
            register_post_type('mc_event',
                [
                    'labels' => [
                        'name' => __('Events'),
                        'singular_name' => __('Event')
                    ],
                    'public' => true,
                    'has_archive' => true,
                    'supports' => ['title', 'editor', 'thumbnail'],
                    'show_in_rest' => true,
                    'menu_icon' => 'dashicons-calendar'
                ]
            );
        }
    
        public static function register_event_taxonomy() {
            register_taxonomy('event_category', 'mc_event',
                [
                    'labels' => [
                        'name' => __('Event Categories'),
                        'singular_name' => __('Event Category')
                    ],
                    'hierarchical' => true,
                    'show_admin_column' => true
                ]
            );
        }
    }

    3. Event Metadata & Admin Interface

    Add to class-events-cpt.php:

    class My_Events_CPT {
        // ... existing code ...
    
        public static function add_event_meta_boxes() {
            add_meta_box(
                'mc_event_details',
                __('Event Details'),
                [self::class, 'render_event_meta_box'],
                'mc_event'
            );
        }
    
        public static function render_event_meta_box($post) {
            wp_nonce_field('mc_save_event_data', 'mc_event_nonce');
            
            $start = get_post_meta($post->ID, '_event_start', true);
            $end = get_post_meta($post->ID, '_event_end', true);
            $location = get_post_meta($post->ID, '_event_location', true);
            
            echo '<div class="mc-meta-fields">';
            echo '<label>'.__('Start Date/Time').'</label>';
            echo '<input type="datetime-local" name="_event_start" value="'.esc_attr($start).'">';
            echo '<label>'.__('End Date/Time').'</label>';
            echo '<input type="datetime-local" name="_event_end" value="'.esc_attr($end).'">';
            echo '<label>'.__('Location').'</label>';
            echo '<input type="text" name="_event_location" value="'.esc_attr($location).'">';
            echo '</div>';
        }
    
        public static function save_event_meta($post_id) {
            if (!isset($_POST['mc_event_nonce'])) return;
            if (!wp_verify_nonce($_POST['mc_event_nonce'], 'mc_save_event_data')) return;
            
            update_post_meta($post_id, '_event_start', sanitize_text_field($_POST['_event_start']));
            update_post_meta($post_id, '_event_end', sanitize_text_field($_POST['_event_end']));
            update_post_meta($post_id, '_event_location', sanitize_text_field($_POST['_event_location']));
        }
    }
    
    // Hook into admin
    add_action('add_meta_boxes', ['My_Events_CPT', 'add_event_meta_boxes']);
    add_action('save_post_mc_event', ['My_Events_CPT', 'save_event_meta']);

    4. Calendar Views & Shortcode

    includes/calendar-views.php:

    <?php
    class My_Calendar_Views {
        public static function shortcode($atts = []) {
            $atts = shortcode_atts([
                'view' => 'month',
                'category' => ''
            ], $atts);
    
            ob_start();
            echo '<div class="mc-calendar-wrapper" data-view="'.esc_attr($atts['view']).'">';
            
            // View switcher
            echo '<div class="mc-view-switcher">';
            echo '<button class="mc-view-month">'.__('Month').'</button>';
            echo '<button class="mc-view-list">'.__('List').'</button>';
            echo '</div>';
            
            // Content
            if ($atts['view'] === 'month') {
                self::render_month_view();
            } else {
                self::render_list_view();
            }
            
            echo '</div>';
            return ob_get_clean();
        }
    
        private static function render_month_view() {
            global $wpdb;
            $events = get_posts([
                'post_type' => 'mc_event',
                'posts_per_page' => -1,
                'meta_key' => '_event_start',
                'orderby' => 'meta_value',
                'order' => 'ASC'
            ]);
            
            // Month view grid implementation
            echo '<div class="mc-month-view">';
            foreach ($events as $event) {
                $start = get_post_meta($event->ID, '_event_start', true);
                $date = date('Y-m-d', strtotime($start));
                
                echo '<div class="mc-event" data-date="'.esc_attr($date).'">';
                echo get_the_post_thumbnail($event->ID, 'thumbnail');
                echo '<h3>'.get_the_title($event->ID).'</h3>';
                echo '<div class="mc-meta">';
                echo '<time>'.date('M j g:i a', strtotime($start)).'</time>';
                echo '<span class="mc-location">'.get_post_meta($event->ID, '_event_location', true).'</span>';
                echo '</div></div>';
            }
            echo '</div>';
        }
    
        private static function render_list_view() {
            $events = get_posts([
                'post_type' => 'mc_event',
                'posts_per_page' => -1,
                'meta_key' => '_event_start',
                'orderby' => 'meta_value',
                'order' => 'ASC'
            ]);
            
            echo '<div class="mc-list-view">';
            foreach ($events as $event) {
                echo '<div class="mc-event">';
                echo get_the_post_thumbnail($event->ID, 'medium');
                echo '<div class="mc-event-content">';
                echo '<h3>'.get_the_title($event->ID).'</h3>';
                echo '<div class="mc-meta">';
                echo '<time>'.get_post_meta($event->ID, '_event_start', true).' - '.get_post_meta($event->ID, '_event_end', true).'</time>';
                echo '<span class="mc-location">'.get_post_meta($event->ID, '_event_location', true).'</span>';
                echo '</div></div></div>';
            }
            echo '</div>';
        }
    }
    
    // Register shortcode
    add_shortcode('my_calendar', ['My_Calendar_Views', 'shortcode']);

    5. Frontend Styling

    assets/css/calendar.css:

    .mc-calendar-wrapper {
        max-width: 1200px;
        margin: 2rem auto;
    }
    
    .mc-view-switcher {
        margin-bottom: 1rem;
    }
    
    .mc-view-switcher button {
        padding: 0.5rem 1rem;
        margin-right: 0.5rem;
        background: #f0f0f0;
        border: 1px solid #ddd;
    }
    
    .mc-month-view {
        display: grid;
        grid-template-columns: repeat(7, 1fr);
        gap: 5px;
    }
    
    .mc-event {
        border: 1px solid #eee;
        padding: 10px;
        margin-bottom: 10px;
    }
    
    .mc-event img {
        max-width: 100%;
        height: auto;
    }
    
    .mc-list-view .mc-event {
        display: flex;
        gap: 20px;
        margin-bottom: 30px;
    }
    
    .mc-list-view .mc-event-content {
        flex: 1;
    }

    6. View Switching Functionality

    assets/js/calendar.js:

    document.addEventListener('DOMContentLoaded', function() {
        const wrappers = document.querySelectorAll('.mc-calendar-wrapper');
        
        wrappers.forEach(wrapper => {
            const switcher = wrapper.querySelector('.mc-view-switcher');
            const monthView = wrapper.querySelector('.mc-month-view');
            const listView = wrapper.querySelector('.mc-list-view');
            
            switcher.querySelector('.mc-view-month').addEventListener('click', () => {
                monthView.style.display = 'grid';
                listView.style.display = 'none';
            });
            
            switcher.querySelector('.mc-view-list').addEventListener('click', () => {
                monthView.style.display = 'none';
                listView.style.display = 'block';
            });
        });
    });

    7. Installation Steps

    1. Install the Plugin
      • Zip the my-events-calendar folder
      • Go to Plugins → Add New → Upload Plugin in WordPress admin
      • Activate the plugin
    2. Create Events
      • Navigate to Events → Add New
      • Add title, description, featured image
      • Fill in event dates/times and location
      • Assign categories
    3. Display Calendar
      • Use either of these methods:
        <?php echo do_shortcode('[my_calendar view="month"]'); ?>
      • Or in content editor:
        [my_calendar view="list"]
    4. Customize Appearance
      • Modify assets/css/calendar.css to match your theme

    Need Help? Ask Perplexity!

    • “Why isn’t my calendar loading events?”
    • “How do I fix a broken dropdown menu?”

    Tip: Copy-paste error messages into Perplexity for quick fixes!

    🎉 You’ve built a custom calendar plugin! 🎉

    Citations:

    1. https://wordpress.org/plugins/the-events-calendar/
    2. https://theeventscalendar.com/products/wordpress-events-calendar/
    3. https://wordpress.com/go/tutorials/how-to-create-an-events-calendar-in-wordpress/
    4. https://www.make.com/en/integrations/perplexity-ai/wordpress
    5. https://vocal.media/01/how-to-write-code-with-perplexity-ai-step-by-step-guide
    6. https://piecalendar.com
    7. https://gowp.com/best-wordpress-calendar-plugins/
    8. https://outstandingthemes.com/which-wordpress-calendar-plugin-is-right-for-me-a-comprehensive-guide/
    9. https://www.wpbeginner.com/plugins/which-is-the-best-wordpress-calendar-plugin/
    10. https://devowl.io/wordpress/calendar-plugins/
    11. https://kinsta.com/blog/wordpress-calendar-plugin/
    12. https://www.seedprod.com/how-to-make-a-calendar-in-wordpress/
    13. https://elfsight.com/blog/embed-calendar-to-wordpress/
    14. https://www.monsterinsights.com/how-to-create-a-wordpress-event-calendar-step-by-step/
    15. https://formidableforms.com/add-an-events-calendar-in-wordpress/
    16. https://happyaddons.com/how-to-create-event-calendar-in-wordpress/
    17. https://buildship.com/integrations/apps/perplexity-and-wordpress
    18. https://www.youtube.com/watch?v=w_YRnA8RdnU
    19. https://www.youtube.com/watch?v=JJ0UeibCpkU
    20. https://www.techtarget.com/searchenterpriseai/tutorial/How-to-use-Perplexity-AI-Tutorial-pros-and-cons

  • How to Use ChatGPT for Auto-Translation in BotPenguin

    How to Use ChatGPT for Auto-Translation in BotPenguin

    BotPenguin’s integration with ChatGPT opens up powerful possibilities for creating multilingual chatbots within no-code app builders. This tutorial will guide you through the process of setting up auto-translation using ChatGPT within BotPenguin, allowing your chatbot to communicate seamlessly across languages.

    Step 1: Set Up Your BotPenguin Account

    • Sign up for a BotPenguin account if you haven’t already.
    • Log into your BotPenguin dashboard.

    Step 2: Create a New Chatbot

    • Click on the “Create a Bot” button.
    • Choose the platform you want to deploy your chatbot on (e.g., website, WhatsApp, Facebook Messenger).
    • Follow the on-screen instructions to set up your basic chatbot.

    Step 3: Integrate ChatGPT

    • In your chatbot’s settings, look for the “Integrations” or “AI” section.
    • Find and select the ChatGPT integration option.
    • Enter your OpenAI API key when prompted
    • If you don’t have an OpenAI API key:
      • Go to the OpenAI website: Visit “platform.openai.com” and log in to your account or create one if needed. 
      • Access API keys: Once logged in, navigate to the “API keys” section, usually found under your profile or account settings. 
      • Create a new key: Click “Create new secret key” to generate a unique API key.

    Step 4: Configure Auto-Translation

    • In your chatbot’s flow builder, create a new conversation flow for translation.
    • Add a node to capture user input in any language.
    • After the user input node, add a ChatGPT processing node.
    • In this node, you’ll craft a prompt for ChatGPT to translate the user’s input.
    "Translate the following text to " + targetLanguage + ". Preserve the original tone and meaning:

    " + userMessage + "

    Provide only the translated text without explanations."
    • Replace [TARGET_LANGUAGE] with your desired language.
    • [USER_INPUT] will be automatically filled with the user’s message.

    Step 4: Implement Language Detection

    • Add a language detection node before the translation node.
    • Add a prompt like:
    "Analyze the following text and identify its language. Respond with only the ISO 639-1 two-letter language code. If you can't determine the language with confidence, respond with 'un' for unknown. Here's the text to analyze:

    " + userMessage
    • This prompt requests the ISO 639-1 code, which is compact and standardized.
    • It includes an ‘unknown’ option to handle ambiguous cases and is concise, to reduce token usage and costs.
    • Create a new variable named detected_language_code.

    Step 5: Dynamic Translation

    • Modify your ChatGPT translation prompt to use the detected language:
    "Translate the following text from [DETECTED_LANGUAGE] to [TARGET_LANGUAGE]: [USER_INPUT]"
    • Use variables to dynamically insert the detected and target languages.

    Step 6: Handle ChatGPT Response

    • Create a response node after the ChatGPT translation node.
    • Format the translated text appropriately for your chatbot interface, and use BotPenguin’s built-in functions to trim any whitespace from the response.
    detected_language_code = trim(chatgpt_response)
    • This node will send the translated text back to the user.
    • Add a condition to check if detected_language_code is valid, and create a fallback action if the code is ‘un’ or invalid.
    • Consider creating a list of supported languages and matching ChatGPT’s response to this list.
    • Create a fallback response in case of translation errors.

    Step 7: Implement Two-Way Translation

    • Set up a similar flow for translating your bot’s responses back to the user’s language.
    • Store the user’s preferred language and use it for translating bot responses.

    Step 8: Optimize for Performance

    • Create a database or use BotPenguin’s storage options to cache translations.
    • Before calling ChatGPT, check if the translation already exists in your cache.
    • For longer conversations, consider batching multiple messages for translation.
    • This can reduce the number of API calls and improve response times.
    • Implement a fallback mechanism for when ChatGPT is unavailable.
    • This could be a simpler translation API or a message asking the user to try again later.

    Step 9: Test and Refine

    • Test your chatbot with various languages and complex phrases.
    • Pay special attention to idiomatic expressions and technical terms.
    • Implement a feedback mechanism within your chatbot.
    • Ask users to rate the translation quality or report issues.
    • Based on testing and feedback, make necessary adjustments to your translation flow.

    Step 10: Deploy and Monitor

    • Once satisfied with the performance, deploy your chatbot live.
    • Monitor its performance and gather user feedback for continuous improvement.
    • Keep an eye on key metrics like translation accuracy and response times.

    Conclusion

    By following these steps, you can create a powerful auto-translation feature for your BotPenguin chatbot using ChatGPT. This integration will allow your chatbot to communicate effectively with users across multiple languages, greatly expanding its reach and usefulness.

    Remember that while ChatGPT provides impressive translation capabilities, it’s not perfect. For critical or sensitive content, it’s advisable to have human translators review the output. Additionally, keep in mind that translation quality can vary depending on the language pair and the complexity of the text.

  • Knack | HIPAA Healthcare Solutions

    https://www.knack.com

    Knack is a no-code platform that allows healthcare providers to build HIPAA-compliant applications that are secure and easy to use.

    With Knack, you can design custom apps for managing patient data, appointments, and other healthcare-related workflows.

    The platform features an intuitive drag-and-drop interface, making it simple to customize forms, databases, and reports.

    Knack integrates with popular tools and offers advanced security features, including data encryption and access control, to ensure compliance with HIPAA standards.

    Whether you need a patient portal, inventory management system, or appointment scheduling tool, Knack provides a secure and flexible solution for healthcare organizations.

  • Zoho Creator | HIPAA-Compliant Healthcare Apps

    https://www.zoho.com/creator

    Zoho Creator is a user-friendly, no-code platform that lets users build HIPAA-compliant applications for healthcare and other industries.

    With a drag-and-drop interface and pre-built templates, Zoho Creator makes it easy to develop custom applications for managing patient data, appointments, and healthcare workflows.

    The platform includes automation tools, data integration, and secure cloud hosting to meet HIPAA compliance standards.

    Zoho Creator is ideal for healthcare teams looking to streamline their operations while ensuring that sensitive information remains private and secure.

  • Glide | Turn Spreadsheets into Apps

    Glide is a no-code app builder that transforms spreadsheets into fully functional Progressive Web Apps (PWAs).

    Unlike native apps, PWAs run in browsers but can still be installed on mobile devices. Glide’s drag-and-drop interface is simple to use, letting you create apps quickly.

    With AI-powered tools like natural language processing and image data extraction, Glide adds a layer of smart functionality to your apps, making it ideal for productivity-focused projects.

    Tutorials:

  • Draftbit | Build cross-platform, native iOS and Android apps

    https://draftbit.com

    Draftbit is a comprehensive no-code mobile app development platform that allows users to create iOS and Android applications without extensive programming knowledge.

    It offers a visual drag-and-drop interface, customizable templates, and a wide range of features including instant previews, team collaboration, and full source code export.

    Draftbit generates clean React Native source code as users design their apps, enabling full ownership and advanced customization. The platform supports both native mobile apps and progressive web apps (PWAs), catering to various industries and development needs.

    Draftbit was designed to bridge the gap between designers and developers, allowing teams to work collaboratively on app projects without the need for constant handoffs or extensive documentation.

    Tutorials: